move ffmpeg code to its own file, rename types folder to lib
This commit is contained in:
parent
f322b45ee1
commit
6d779e7811
13 changed files with 310 additions and 253 deletions
|
@ -17,7 +17,7 @@ import authRouter from "./routes/auth";
|
||||||
import indexRouter from "./routes/index";
|
import indexRouter from "./routes/index";
|
||||||
import adduserRouter from "./routes/adduser";
|
import adduserRouter from "./routes/adduser";
|
||||||
|
|
||||||
import {db, expire, createDatabase, updateDatabase, MediaRow} from "./types/db";
|
import {db, expire, createDatabase, updateDatabase, MediaRow} from "./lib/db";
|
||||||
|
|
||||||
const app = express();
|
const app = express();
|
||||||
const server = http.createServer(app);
|
const server = http.createServer(app);
|
||||||
|
|
188
app/lib/ffmpeg.ts
Normal file
188
app/lib/ffmpeg.ts
Normal file
|
@ -0,0 +1,188 @@
|
||||||
|
import { extension, videoExtensions, imageExtensions } from "./lib";
|
||||||
|
|
||||||
|
import ffmpeg from 'fluent-ffmpeg';
|
||||||
|
import ffmpegInstaller from '@ffmpeg-installer/ffmpeg';
|
||||||
|
import ffprobeInstaller from '@ffprobe-installer/ffprobe';
|
||||||
|
import which from 'which';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Enum to represent different types of video encoding methods.
|
||||||
|
*
|
||||||
|
* @enum {string}
|
||||||
|
* @property {string} CPU - Uses the libx264 codec for CPU-based encoding
|
||||||
|
* @property {string} NVIDIA - Uses the h264_nvenc codec for NVIDIA GPU-based encoding
|
||||||
|
* @property {string} AMD - Uses the h264_amf codec for AMD GPU-based encoding
|
||||||
|
* @property {string} INTEL - Uses the h264_qsv codec for Intel GPU-based encoding
|
||||||
|
* @property {string} APPLE - Uses the h264_videotoolbox codec for Apple GPU-based encoding
|
||||||
|
*/
|
||||||
|
export enum EncodingType {
|
||||||
|
CPU = 'libx264',
|
||||||
|
NVIDIA = 'h264_nvenc',
|
||||||
|
AMD = 'h264_amf',
|
||||||
|
INTEL = 'h264_qsv',
|
||||||
|
APPLE = 'h264_videotoolbox'
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The current encoding type being used for video encoding.
|
||||||
|
* @type {EncodingType}
|
||||||
|
*/
|
||||||
|
export let currentEncoding: EncodingType = EncodingType.CPU;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Sets the current encoding type.
|
||||||
|
*
|
||||||
|
* @param {EncodingType} type - The encoding type to set.
|
||||||
|
*/
|
||||||
|
export const setEncodingType = (type: EncodingType) => {
|
||||||
|
currentEncoding = type;
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Returns the path to an executable by checking environment variables, the system path, or a default installer.
|
||||||
|
*
|
||||||
|
* @param {string} envVar - The environment variable to check for the executable's path.
|
||||||
|
* @param {string} executable - The name of the executable to search for in the system path.
|
||||||
|
* @param {Object} installer - An object containing the default installer path.
|
||||||
|
* @param {string} installer.path - The default path to use if the executable is not found in the environment or system path.
|
||||||
|
*
|
||||||
|
* @returns {string} - The path to the executable.
|
||||||
|
* @throws Will throw an error if the executable is not found and the installer path is not available.
|
||||||
|
*/
|
||||||
|
const getExecutablePath = (envVar: string, executable: string, installer: { path: string }) => {
|
||||||
|
if (process.env[envVar]) {
|
||||||
|
return process.env[envVar];
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
return which.sync(executable);
|
||||||
|
} catch (error) {
|
||||||
|
return installer.path;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const ffmpegPath = getExecutablePath('EB_FFMPEG_PATH', 'ffmpeg', ffmpegInstaller);
|
||||||
|
const ffprobePath = getExecutablePath('EB_FFPROBE_PATH', 'ffprobe', ffprobeInstaller);
|
||||||
|
|
||||||
|
console.log(`Using ffmpeg from path: ${ffmpegPath}`);
|
||||||
|
console.log(`Using ffprobe from path: ${ffprobePath}`);
|
||||||
|
|
||||||
|
ffmpeg.setFfmpegPath(ffmpegPath!);
|
||||||
|
ffmpeg.setFfprobePath(ffprobePath!);
|
||||||
|
|
||||||
|
const checkEnvForEncoder = () => {
|
||||||
|
const envEncoder = process.env.EB_ENCODER?.toUpperCase();
|
||||||
|
|
||||||
|
if (envEncoder && Object.keys(EncodingType).includes(envEncoder)) {
|
||||||
|
setEncodingType(EncodingType[envEncoder as keyof typeof EncodingType] as EncodingType);
|
||||||
|
console.log(`Setting encoding type to ${envEncoder} based on environment variable.`);
|
||||||
|
} else if (envEncoder) {
|
||||||
|
console.warn(`Invalid encoder value "${envEncoder}" in environment variable, defaulting to CPU.`);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
checkEnvForEncoder();
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Downscale a video using ffmpeg with various encoding options.
|
||||||
|
*
|
||||||
|
* @param {string} path - The input video file path.
|
||||||
|
* @param {string} filename - The name of the file.
|
||||||
|
* @param {string} extension - The file extension of the file
|
||||||
|
* @returns {Promise<void>} - A promise that resolves when the downscaling is complete, and rejects on error.
|
||||||
|
*
|
||||||
|
* @example
|
||||||
|
* ffmpegDownscale('input.mp4').then(() => {
|
||||||
|
* console.log('Downscaling complete.');
|
||||||
|
* }).catch((error) => {
|
||||||
|
* console.log(`Error: ${error}`);
|
||||||
|
* });
|
||||||
|
*/
|
||||||
|
export const ffmpegDownscale = (path: string, filename: string, extension: string) => {
|
||||||
|
const startTime = Date.now();
|
||||||
|
const outputOptions = [
|
||||||
|
'-vf', 'scale=-2:720',
|
||||||
|
'-c:v', currentEncoding,
|
||||||
|
'-c:a', 'copy',
|
||||||
|
];
|
||||||
|
|
||||||
|
// Adjust output options based on encoder for maximum quality
|
||||||
|
switch (currentEncoding) {
|
||||||
|
case EncodingType.CPU:
|
||||||
|
outputOptions.push('-crf', '0');
|
||||||
|
break;
|
||||||
|
case EncodingType.NVIDIA:
|
||||||
|
outputOptions.push('-rc', 'cqp', '-qp', '0');
|
||||||
|
break;
|
||||||
|
case EncodingType.AMD:
|
||||||
|
outputOptions.push('-qp_i', '0', '-qp_p', '0', '-qp_b', '0');
|
||||||
|
break;
|
||||||
|
case EncodingType.INTEL:
|
||||||
|
outputOptions.push('-global_quality', '1'); // Intel QSV specific setting for high quality
|
||||||
|
break;
|
||||||
|
case EncodingType.APPLE:
|
||||||
|
outputOptions.push('-global_quality', '1');
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
|
||||||
|
return new Promise<void>((resolve, reject) => {
|
||||||
|
ffmpeg()
|
||||||
|
.input(path)
|
||||||
|
.outputOptions(outputOptions)
|
||||||
|
.output(`uploads/720p-${filename}${extension}`)
|
||||||
|
.on('end', () => {
|
||||||
|
console.log(`720p copy complete using ${currentEncoding}, took ${Date.now() - startTime}ms to complete`);
|
||||||
|
resolve();
|
||||||
|
})
|
||||||
|
.on('error', (e) => reject(new Error(e)))
|
||||||
|
.run();
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
/** Converts video to gif and vice versa using ffmpeg */
|
||||||
|
/**export const convert: Middleware = (req, res, next) => {
|
||||||
|
const files = req.files as Express.Multer.File[];
|
||||||
|
|
||||||
|
for (const file in files) {
|
||||||
|
const nameAndExtension = extension(files[file].originalname);
|
||||||
|
|
||||||
|
if (videoExtensions.includes(nameAndExtension[1])) {
|
||||||
|
console.log("Converting " + nameAndExtension[0] + nameAndExtension[1] + " to gif");
|
||||||
|
console.log(`Using ${currentEncoding} as encoder`);
|
||||||
|
const startTime = Date.now();
|
||||||
|
ffmpeg()
|
||||||
|
.input(`uploads/${nameAndExtension[0]}${nameAndExtension[1]}`)
|
||||||
|
.inputFormat(nameAndExtension[1].substring(1))
|
||||||
|
.outputOptions(`-c:v ${currentEncoding}`)
|
||||||
|
.outputFormat("gif")
|
||||||
|
.output(`uploads/${nameAndExtension[0]}.gif`)
|
||||||
|
.on("end", function() {
|
||||||
|
console.log(`Conversion complete, took ${Date.now() - startTime} to complete`);
|
||||||
|
console.log(`Uploaded to uploads/${nameAndExtension[0]}.gif`);
|
||||||
|
})
|
||||||
|
.on("error", (e) => console.log(e))
|
||||||
|
.run();
|
||||||
|
} else if (nameAndExtension[1] == ".gif") {
|
||||||
|
console.log(`Converting ${nameAndExtension[0]}${nameAndExtension[1]} to mp4`);
|
||||||
|
console.log(`Using ${currentEncoding} as encoder`);
|
||||||
|
|
||||||
|
const startTime = Date.now();
|
||||||
|
ffmpeg(`uploads/${nameAndExtension[0]}${nameAndExtension[1]}`)
|
||||||
|
.inputFormat("gif")
|
||||||
|
.outputFormat("mp4")
|
||||||
|
.outputOptions([
|
||||||
|
"-pix_fmt yuv420p",
|
||||||
|
`-c:v ${currentEncoding}`,
|
||||||
|
"-movflags +faststart"
|
||||||
|
])
|
||||||
|
.noAudio()
|
||||||
|
.output(`uploads/${nameAndExtension[0]}.mp4`)
|
||||||
|
.on("end", function() {
|
||||||
|
console.log(`Conversion complete, took ${Date.now() - startTime} to complete`);
|
||||||
|
console.log(`Uploaded to uploads/${nameAndExtension[0]}.mp4`);
|
||||||
|
next();
|
||||||
|
})
|
||||||
|
.run();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};**/
|
107
app/lib/middleware.ts
Normal file
107
app/lib/middleware.ts
Normal file
|
@ -0,0 +1,107 @@
|
||||||
|
import type {RequestHandler as Middleware, NextFunction} from "express";
|
||||||
|
|
||||||
|
import fs from "fs";
|
||||||
|
import process from "process";
|
||||||
|
|
||||||
|
import {extension, videoExtensions, imageExtensions} from "./lib";
|
||||||
|
import {db, MediaParams, insertToDB} from "./db";
|
||||||
|
import {ffmpegDownscale} from "./ffmpeg";
|
||||||
|
|
||||||
|
export const checkAuth: Middleware = (req, res, next) => {
|
||||||
|
if (!req.user) {
|
||||||
|
return res.status(401);
|
||||||
|
}
|
||||||
|
next();
|
||||||
|
};
|
||||||
|
|
||||||
|
/**Checks shareX auth key */
|
||||||
|
export const checkSharexAuth: Middleware = (req, res, next) => {
|
||||||
|
const auth = process.env.EBAPI_KEY || process.env.EBPASS || "pleaseSetAPI_KEY";
|
||||||
|
let key = null;
|
||||||
|
|
||||||
|
if (req.headers["key"]) {
|
||||||
|
key = req.headers["key"];
|
||||||
|
} else {
|
||||||
|
return res.status(400).send("{success: false, message: \"No key provided\", fix: \"Provide a key\"}");
|
||||||
|
}
|
||||||
|
|
||||||
|
if (auth != key) {
|
||||||
|
return res.status(401).send("{success: false, message: '\"'Invalid key\", fix: \"Provide a valid key\"}");
|
||||||
|
}
|
||||||
|
|
||||||
|
const shortKey = key.substr(0, 3) + "...";
|
||||||
|
console.log(`Authenicated user with key: ${shortKey}`);
|
||||||
|
|
||||||
|
next();
|
||||||
|
};
|
||||||
|
|
||||||
|
/**Creates oembed json file for embed metadata */
|
||||||
|
export const createEmbedData: Middleware = (req, res, next) => {
|
||||||
|
const files = req.files as Express.Multer.File[];
|
||||||
|
for (const file in files) {
|
||||||
|
const nameAndExtension = extension(files[file].originalname);
|
||||||
|
const oembed = {
|
||||||
|
type: "video",
|
||||||
|
version: "1.0",
|
||||||
|
provider_name: "embedder",
|
||||||
|
provider_url: "https://github.com/WaveringAna/embedder",
|
||||||
|
cache_age: 86400,
|
||||||
|
html: `<iframe src='${req.protocol}://${req.get("host")}/gifv/${nameAndExtension[0]}${nameAndExtension[1]}'></iframe>`,
|
||||||
|
width: 640,
|
||||||
|
height: 360
|
||||||
|
};
|
||||||
|
|
||||||
|
fs.writeFile(`uploads/oembed-${nameAndExtension[0]}${nameAndExtension[1]}.json`, JSON.stringify(oembed), function (err) {
|
||||||
|
if (err) return next(err);
|
||||||
|
console.log(`oembed file created ${nameAndExtension[0]}${nameAndExtension[1]}.json`);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
next();
|
||||||
|
};
|
||||||
|
|
||||||
|
/**Creates a 720p copy of video for smaller file */
|
||||||
|
export const convertTo720p: Middleware = (req, res, next) => {
|
||||||
|
const files = req.files as Express.Multer.File[];
|
||||||
|
console.log("convert to 720p running");
|
||||||
|
for (const file in files) {
|
||||||
|
const nameAndExtension = extension(files[file].originalname);
|
||||||
|
|
||||||
|
//Skip if not a video
|
||||||
|
if (!videoExtensions.includes(nameAndExtension[1]) && nameAndExtension[1] !== ".gif") {
|
||||||
|
console.log(`${files[file].originalname} is not a video file`);
|
||||||
|
console.log(nameAndExtension[1]);
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log(`Creating 720p for ${files[file].originalname}`);
|
||||||
|
|
||||||
|
ffmpegDownscale(`uploads/${nameAndExtension[0]}${nameAndExtension[1]}`, nameAndExtension[0], nameAndExtension[1]).then(() => {
|
||||||
|
//Nothing for now, can fire event flag that it is done to front end when react conversion is done
|
||||||
|
}).catch((error) => {
|
||||||
|
console.log(`Error: ${error}`);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
next();
|
||||||
|
};
|
||||||
|
|
||||||
|
/**Middleware for handling uploaded files. Inserts it into the database */
|
||||||
|
export const handleUpload: Middleware = (req, res, next) => {
|
||||||
|
if (!req.file && !req.files) {
|
||||||
|
console.log("No files were uploaded");
|
||||||
|
return res.status(400).send("No files were uploaded.");
|
||||||
|
}
|
||||||
|
|
||||||
|
const files = (req.files) ? req.files as Express.Multer.File[] : req.file; //Check if a single file was uploaded or multiple
|
||||||
|
const username = (req.user) ? req.user.username : "sharex"; //if no username was provided, we can presume that it is sharex
|
||||||
|
const expireDate: Date = (req.body.expire) ? new Date(Date.now() + (req.body.expire * 24 * 60 * 60 * 1000)) : null;
|
||||||
|
|
||||||
|
if (files instanceof Array) {
|
||||||
|
for (const file in files) {
|
||||||
|
insertToDB(files[file].filename, expireDate, username);
|
||||||
|
}
|
||||||
|
} else
|
||||||
|
insertToDB(files.filename, expireDate, username);
|
||||||
|
|
||||||
|
next();
|
||||||
|
};
|
|
@ -1,7 +1,7 @@
|
||||||
import type {RequestHandler as Middleware, Router, Request, Response, NextFunction} from "express";
|
import type {RequestHandler as Middleware, Router, Request, Response, NextFunction} from "express";
|
||||||
import express from "express";
|
import express from "express";
|
||||||
|
|
||||||
import {createUser} from "../types/db";
|
import {createUser} from "../lib/db";
|
||||||
|
|
||||||
const router: Router = express.Router();
|
const router: Router = express.Router();
|
||||||
/**Middleware to check if a user is actually signed in */
|
/**Middleware to check if a user is actually signed in */
|
||||||
|
|
|
@ -3,8 +3,8 @@ import express from "express";
|
||||||
import passport from "passport";
|
import passport from "passport";
|
||||||
import {Strategy as LocalStrategy} from "passport-local";
|
import {Strategy as LocalStrategy} from "passport-local";
|
||||||
|
|
||||||
import {User} from "../types/lib";
|
import {User} from "../lib/lib";
|
||||||
import {db, UserRow} from "../types/db";
|
import {db, UserRow} from "../lib/db";
|
||||||
|
|
||||||
const router = express.Router();
|
const router = express.Router();
|
||||||
|
|
||||||
|
|
|
@ -11,10 +11,10 @@ ffmpeg.setFfprobePath(ffprobepath.path);
|
||||||
|
|
||||||
import fs from "fs";
|
import fs from "fs";
|
||||||
|
|
||||||
import {extension, videoExtensions} from "../types/lib";
|
import {extension, videoExtensions} from "../lib/lib";
|
||||||
import {db, MediaRow, getPath, deleteId} from "../types/db";
|
import {db, MediaRow, getPath, deleteId} from "../lib/db";
|
||||||
import {fileStorage} from "../types/multer";
|
import {fileStorage} from "../lib/multer";
|
||||||
import {checkAuth, checkSharexAuth, convertTo720p, createEmbedData, handleUpload} from "../types/middleware";
|
import {checkAuth, checkSharexAuth, convertTo720p, createEmbedData, handleUpload} from "../lib/middleware";
|
||||||
|
|
||||||
const upload = multer({ storage: fileStorage /**, fileFilter: fileFilter**/ }); //maybe make this a env variable?
|
const upload = multer({ storage: fileStorage /**, fileFilter: fileFilter**/ }); //maybe make this a env variable?
|
||||||
/**Middleware to grab media from media database */
|
/**Middleware to grab media from media database */
|
||||||
|
|
|
@ -1,243 +0,0 @@
|
||||||
import type {RequestHandler as Middleware, NextFunction} from "express";
|
|
||||||
|
|
||||||
import ffmpeg from 'fluent-ffmpeg';
|
|
||||||
import ffmpegInstaller from '@ffmpeg-installer/ffmpeg';
|
|
||||||
import ffprobeInstaller from '@ffprobe-installer/ffprobe';
|
|
||||||
import which from 'which';
|
|
||||||
|
|
||||||
//weird error that occurs where if I use the alias 'process', node cannot access it
|
|
||||||
import Process from 'node:process';
|
|
||||||
|
|
||||||
const getExecutablePath = (envVar: string, executable: string, installer: { path: string }) => {
|
|
||||||
if (Process.env[envVar]) {
|
|
||||||
return Process.env[envVar];
|
|
||||||
}
|
|
||||||
|
|
||||||
try {
|
|
||||||
return which.sync(executable);
|
|
||||||
} catch (error) {
|
|
||||||
return installer.path;
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
const ffmpegPath = getExecutablePath('EB_FFMPEG_PATH', 'ffmpeg', ffmpegInstaller);
|
|
||||||
const ffprobePath = getExecutablePath('EB_FFPROBE_PATH', 'ffprobe', ffprobeInstaller);
|
|
||||||
|
|
||||||
console.log(`Using ffmpeg from path: ${ffmpegPath}`);
|
|
||||||
console.log(`Using ffprobe from path: ${ffprobePath}`);
|
|
||||||
|
|
||||||
ffmpeg.setFfmpegPath(ffmpegPath!);
|
|
||||||
ffmpeg.setFfprobePath(ffprobePath!);
|
|
||||||
|
|
||||||
import fs from "fs";
|
|
||||||
import process from "process";
|
|
||||||
|
|
||||||
import {extension, videoExtensions, imageExtensions} from "./lib";
|
|
||||||
import {db, MediaParams, insertToDB} from "./db";
|
|
||||||
|
|
||||||
enum EncodingType {
|
|
||||||
CPU = 'libx264',
|
|
||||||
NVIDIA = 'h264_nvenc',
|
|
||||||
AMD = 'h264_amf',
|
|
||||||
INTEL = 'h264_qsv',
|
|
||||||
APPLE = 'h264_videotoolbox'
|
|
||||||
}
|
|
||||||
|
|
||||||
let currentEncoding: EncodingType = EncodingType.CPU;
|
|
||||||
|
|
||||||
export const setEncodingType = (type: EncodingType) => {
|
|
||||||
currentEncoding = type;
|
|
||||||
};
|
|
||||||
|
|
||||||
export const checkEnvForEncoder = () => {
|
|
||||||
const envEncoder = process.env.EB_ENCODER?.toUpperCase();
|
|
||||||
|
|
||||||
if (envEncoder && Object.keys(EncodingType).includes(envEncoder)) {
|
|
||||||
setEncodingType(EncodingType[envEncoder as keyof typeof EncodingType] as EncodingType);
|
|
||||||
console.log(`Setting encoding type to ${envEncoder} based on environment variable.`);
|
|
||||||
} else if (envEncoder) {
|
|
||||||
//I finally understand DHH
|
|
||||||
console.warn(`Invalid encoder value "${envEncoder}" in environment variable, defaulting to ${Object.keys(EncodingType).find(key => EncodingType[key as keyof typeof EncodingType] === currentEncoding)}.`);
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
checkEnvForEncoder();
|
|
||||||
|
|
||||||
export const checkAuth: Middleware = (req, res, next) => {
|
|
||||||
if (!req.user) {
|
|
||||||
return res.status(401);
|
|
||||||
}
|
|
||||||
next();
|
|
||||||
};
|
|
||||||
|
|
||||||
/**Checks shareX auth key */
|
|
||||||
export const checkSharexAuth: Middleware = (req, res, next) => {
|
|
||||||
const auth = process.env.EBAPI_KEY || process.env.EBPASS || "pleaseSetAPI_KEY";
|
|
||||||
let key = null;
|
|
||||||
|
|
||||||
if (req.headers["key"]) {
|
|
||||||
key = req.headers["key"];
|
|
||||||
} else {
|
|
||||||
return res.status(400).send("{success: false, message: \"No key provided\", fix: \"Provide a key\"}");
|
|
||||||
}
|
|
||||||
|
|
||||||
if (auth != key) {
|
|
||||||
return res.status(401).send("{success: false, message: '\"'Invalid key\", fix: \"Provide a valid key\"}");
|
|
||||||
}
|
|
||||||
|
|
||||||
const shortKey = key.substr(0, 3) + "...";
|
|
||||||
console.log(`Authenicated user with key: ${shortKey}`);
|
|
||||||
|
|
||||||
next();
|
|
||||||
};
|
|
||||||
|
|
||||||
/**Creates oembed json file for embed metadata */
|
|
||||||
export const createEmbedData: Middleware = (req, res, next) => {
|
|
||||||
const files = req.files as Express.Multer.File[];
|
|
||||||
for (const file in files) {
|
|
||||||
const nameAndExtension = extension(files[file].originalname);
|
|
||||||
const oembed = {
|
|
||||||
type: "video",
|
|
||||||
version: "1.0",
|
|
||||||
provider_name: "embedder",
|
|
||||||
provider_url: "https://github.com/WaveringAna/embedder",
|
|
||||||
cache_age: 86400,
|
|
||||||
html: `<iframe src='${req.protocol}://${req.get("host")}/gifv/${nameAndExtension[0]}${nameAndExtension[1]}'></iframe>`,
|
|
||||||
width: 640,
|
|
||||||
height: 360
|
|
||||||
};
|
|
||||||
|
|
||||||
fs.writeFile(`uploads/oembed-${nameAndExtension[0]}${nameAndExtension[1]}.json`, JSON.stringify(oembed), function (err) {
|
|
||||||
if (err) return next(err);
|
|
||||||
console.log(`oembed file created ${nameAndExtension[0]}${nameAndExtension[1]}.json`);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
next();
|
|
||||||
};
|
|
||||||
|
|
||||||
/** Converts video to gif and vice versa using ffmpeg */
|
|
||||||
export const convert: Middleware = (req, res, next) => {
|
|
||||||
const files = req.files as Express.Multer.File[];
|
|
||||||
|
|
||||||
for (const file in files) {
|
|
||||||
const nameAndExtension = extension(files[file].originalname);
|
|
||||||
|
|
||||||
if (videoExtensions.includes(nameAndExtension[1])) {
|
|
||||||
console.log("Converting " + nameAndExtension[0] + nameAndExtension[1] + " to gif");
|
|
||||||
console.log(`Using ${currentEncoding} as encoder`);
|
|
||||||
const startTime = Date.now();
|
|
||||||
ffmpeg()
|
|
||||||
.input(`uploads/${nameAndExtension[0]}${nameAndExtension[1]}`)
|
|
||||||
.inputFormat(nameAndExtension[1].substring(1))
|
|
||||||
.outputOptions(`-c:v ${currentEncoding}`)
|
|
||||||
.outputFormat("gif")
|
|
||||||
.output(`uploads/${nameAndExtension[0]}.gif`)
|
|
||||||
.on("end", function() {
|
|
||||||
console.log(`Conversion complete, took ${Date.now() - startTime} to complete`);
|
|
||||||
console.log(`Uploaded to uploads/${nameAndExtension[0]}.gif`);
|
|
||||||
})
|
|
||||||
.on("error", (e) => console.log(e))
|
|
||||||
.run();
|
|
||||||
} else if (nameAndExtension[1] == ".gif") {
|
|
||||||
console.log(`Converting ${nameAndExtension[0]}${nameAndExtension[1]} to mp4`);
|
|
||||||
console.log(`Using ${currentEncoding} as encoder`);
|
|
||||||
|
|
||||||
const startTime = Date.now();
|
|
||||||
ffmpeg(`uploads/${nameAndExtension[0]}${nameAndExtension[1]}`)
|
|
||||||
.inputFormat("gif")
|
|
||||||
.outputFormat("mp4")
|
|
||||||
.outputOptions([
|
|
||||||
"-pix_fmt yuv420p",
|
|
||||||
`-c:v ${currentEncoding}`,
|
|
||||||
"-movflags +faststart"
|
|
||||||
])
|
|
||||||
.noAudio()
|
|
||||||
.output(`uploads/${nameAndExtension[0]}.mp4`)
|
|
||||||
.on("end", function() {
|
|
||||||
console.log(`Conversion complete, took ${Date.now() - startTime} to complete`);
|
|
||||||
console.log(`Uploaded to uploads/${nameAndExtension[0]}.mp4`);
|
|
||||||
next();
|
|
||||||
})
|
|
||||||
.run();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
/**Creates a 720p copy of video for smaller file */
|
|
||||||
export const convertTo720p: Middleware = (req, res, next) => {
|
|
||||||
const files = req.files as Express.Multer.File[];
|
|
||||||
console.log("convert to 720p running");
|
|
||||||
for (const file in files) {
|
|
||||||
const nameAndExtension = extension(files[file].originalname);
|
|
||||||
|
|
||||||
//Skip if not a video
|
|
||||||
if (!videoExtensions.includes(nameAndExtension[1]) && nameAndExtension[1] !== ".gif") {
|
|
||||||
console.log(`${files[file].originalname} is not a video file`);
|
|
||||||
console.log(nameAndExtension[1]);
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
console.log(`Creating 720p for ${files[file].originalname}`);
|
|
||||||
|
|
||||||
const startTime = Date.now();
|
|
||||||
|
|
||||||
const outputOptions = [
|
|
||||||
'-vf', 'scale=-2:720',
|
|
||||||
'-c:v', currentEncoding,
|
|
||||||
];
|
|
||||||
|
|
||||||
// Adjust output options based on encoder for maximum quality
|
|
||||||
switch(currentEncoding) {
|
|
||||||
case EncodingType.CPU:
|
|
||||||
outputOptions.push('-crf', '0');
|
|
||||||
break;
|
|
||||||
case EncodingType.NVIDIA:
|
|
||||||
outputOptions.push('-rc', 'cqp', '-qp', '0');
|
|
||||||
break;
|
|
||||||
case EncodingType.AMD:
|
|
||||||
outputOptions.push('-qp_i', '0', '-qp_p', '0', '-qp_b', '0');
|
|
||||||
break;
|
|
||||||
case EncodingType.INTEL:
|
|
||||||
outputOptions.push('-global_quality', '1'); // Intel QSV specific setting for high quality
|
|
||||||
break;
|
|
||||||
case EncodingType.APPLE:
|
|
||||||
outputOptions.push('-global_quality', '1');
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
ffmpeg()
|
|
||||||
.input(`uploads/${nameAndExtension[0]}${nameAndExtension[1]}`)
|
|
||||||
.inputFormat('mp4')
|
|
||||||
.outputOptions(outputOptions)
|
|
||||||
.output(`uploads/720p-${nameAndExtension[0]}${nameAndExtension[1]}`)
|
|
||||||
.on('end', () => {
|
|
||||||
console.log(`720p copy complete using ${currentEncoding}, took ${Date.now() - startTime}ms to complete`);
|
|
||||||
})
|
|
||||||
.on('error', (e) => console.log(e))
|
|
||||||
.run();
|
|
||||||
}
|
|
||||||
|
|
||||||
next();
|
|
||||||
};
|
|
||||||
|
|
||||||
/**Middleware for handling uploaded files. Inserts it into the database */
|
|
||||||
export const handleUpload: Middleware = (req, res, next) => {
|
|
||||||
if (!req.file && !req.files) {
|
|
||||||
console.log("No files were uploaded");
|
|
||||||
return res.status(400).send("No files were uploaded.");
|
|
||||||
}
|
|
||||||
|
|
||||||
const files = (req.files) ? req.files as Express.Multer.File[] : req.file; //Check if a single file was uploaded or multiple
|
|
||||||
const username = (req.user) ? req.user.username : "sharex"; //if no username was provided, we can presume that it is sharex
|
|
||||||
const expireDate: Date = (req.body.expire) ? new Date(Date.now() + (req.body.expire * 24 * 60 * 60 * 1000)) : null;
|
|
||||||
|
|
||||||
if (files instanceof Array) {
|
|
||||||
for (const file in files) {
|
|
||||||
insertToDB(files[file].filename, expireDate, username);
|
|
||||||
}
|
|
||||||
} else
|
|
||||||
insertToDB(files.filename, expireDate, username);
|
|
||||||
|
|
||||||
next();
|
|
||||||
};
|
|
6
tests/.gitignore
vendored
Normal file
6
tests/.gitignore
vendored
Normal file
|
@ -0,0 +1,6 @@
|
||||||
|
# ignore all mp4 except for test.mp4
|
||||||
|
*.mp4
|
||||||
|
!test.mp4
|
||||||
|
|
||||||
|
# ignore javascript files from tsc
|
||||||
|
*.js
|
|
@ -40,8 +40,7 @@ export const generateTestVideo = async (encodingType: EncodingType): Promise<voi
|
||||||
const outputOptions = [
|
const outputOptions = [
|
||||||
'-vf', 'scale=-2:720',
|
'-vf', 'scale=-2:720',
|
||||||
'-c:v', encodingType,
|
'-c:v', encodingType,
|
||||||
'-c:a', 'copy', // Copying the original audio stream
|
'-c:a', 'copy',
|
||||||
'-b:v', '8000k'
|
|
||||||
];
|
];
|
||||||
|
|
||||||
// Adjust output options based on encoder for maximum quality
|
// Adjust output options based on encoder for maximum quality
|
||||||
|
|
Loading…
Add table
Add a link
Reference in a new issue