]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame - server/helpers/ffmpeg-utils.ts
Fix lint
[github/Chocobozzz/PeerTube.git] / server / helpers / ffmpeg-utils.ts
CommitLineData
14d3270f 1import * as ffmpeg from 'fluent-ffmpeg'
09209296 2import { dirname, join } from 'path'
5ba49f26 3import { getTargetBitrate, getMaxBitrate, VideoResolution } from '../../shared/models/videos'
6dd9de95 4import { FFMPEG_NICE, VIDEO_TRANSCODING_FPS } from '../initializers/constants'
26670720 5import { processImage } from './image-utils'
6fdc553a 6import { logger } from './logger'
e5565833 7import { checkFFmpegEncoders } from '../initializers/checker-before-init'
6dd9de95
C
8import { readFile, remove, writeFile } from 'fs-extra'
9import { CONFIG } from '../initializers/config'
14d3270f 10
06215f15
C
11function computeResolutionsToTranscode (videoFileHeight: number) {
12 const resolutionsEnabled: number[] = []
13 const configResolutions = CONFIG.TRANSCODING.RESOLUTIONS
14
15 // Put in the order we want to proceed jobs
16 const resolutions = [
5c7d6508 17 VideoResolution.H_NOVIDEO,
06215f15
C
18 VideoResolution.H_480P,
19 VideoResolution.H_360P,
20 VideoResolution.H_720P,
21 VideoResolution.H_240P,
ad3405d0
C
22 VideoResolution.H_1080P,
23 VideoResolution.H_4K
06215f15
C
24 ]
25
26 for (const resolution of resolutions) {
27 if (configResolutions[ resolution + 'p' ] === true && videoFileHeight > resolution) {
28 resolutionsEnabled.push(resolution)
29 }
30 }
31
32 return resolutionsEnabled
33}
34
52201311 35async function getVideoStreamSize (path: string) {
5ba49f26 36 const videoStream = await getVideoStreamFromFile(path)
056aa7f2 37
3a149e9f
C
38 return videoStream === null
39 ? { width: 0, height: 0 }
40 : { width: videoStream.width, height: videoStream.height }
09209296
C
41}
42
52201311
C
43async function getVideoStreamCodec (path: string) {
44 const videoStream = await getVideoStreamFromFile(path)
45
46 if (!videoStream) return ''
47
48 const videoCodec = videoStream.codec_tag_string
49
50 const baseProfileMatrix = {
51 'High': '6400',
52 'Main': '4D40',
53 'Baseline': '42E0'
54 }
55
56 let baseProfile = baseProfileMatrix[videoStream.profile]
57 if (!baseProfile) {
58 logger.warn('Cannot get video profile codec of %s.', path, { videoStream })
59 baseProfile = baseProfileMatrix['High'] // Fallback
60 }
61
62 const level = videoStream.level.toString(16)
63
64 return `${videoCodec}.${baseProfile}${level}`
65}
66
67async function getAudioStreamCodec (path: string) {
68 const { audioStream } = await audio.get(path)
69
70 if (!audioStream) return ''
71
72 const audioCodec = audioStream.codec_name
49c3bf6f 73 if (audioCodec === 'aac') return 'mp4a.40.2'
52201311
C
74
75 logger.warn('Cannot get audio codec of %s.', path, { audioStream })
76
77 return 'mp4a.40.2' // Fallback
78}
79
09209296 80async function getVideoFileResolution (path: string) {
52201311 81 const size = await getVideoStreamSize(path)
09209296
C
82
83 return {
84 videoFileResolution: Math.min(size.height, size.width),
85 isPortraitMode: size.height > size.width
056aa7f2 86 }
73c69591 87}
14d3270f 88
73c69591 89async function getVideoFileFPS (path: string) {
5ba49f26 90 const videoStream = await getVideoStreamFromFile(path)
3a149e9f 91 if (videoStream === null) return 0
5c7d6508 92
ef04ae20 93 for (const key of [ 'avg_frame_rate', 'r_frame_rate' ]) {
3a149e9f 94 const valuesText: string = videoStream[ key ]
73c69591
C
95 if (!valuesText) continue
96
97 const [ frames, seconds ] = valuesText.split('/')
98 if (!frames || !seconds) continue
99
100 const result = parseInt(frames, 10) / parseInt(seconds, 10)
3a6f351b 101 if (result > 0) return Math.round(result)
73c69591
C
102 }
103
104 return 0
14d3270f
C
105}
106
edb4ffc7
FA
107async function getVideoFileBitrate (path: string) {
108 return new Promise<number>((res, rej) => {
109 ffmpeg.ffprobe(path, (err, metadata) => {
110 if (err) return rej(err)
111
112 return res(metadata.format.bit_rate)
113 })
114 })
115}
116
14d3270f
C
117function getDurationFromVideoFile (path: string) {
118 return new Promise<number>((res, rej) => {
119 ffmpeg.ffprobe(path, (err, metadata) => {
120 if (err) return rej(err)
121
122 return res(Math.floor(metadata.format.duration))
123 })
124 })
125}
126
26670720
C
127async function generateImageFromVideoFile (fromPath: string, folder: string, imageName: string, size: { width: number, height: number }) {
128 const pendingImageName = 'pending-' + imageName
129
14d3270f 130 const options = {
26670720 131 filename: pendingImageName,
14d3270f
C
132 count: 1,
133 folder
134 }
135
26670720 136 const pendingImagePath = join(folder, pendingImageName)
6fdc553a
C
137
138 try {
139 await new Promise<string>((res, rej) => {
7160878c 140 ffmpeg(fromPath, { niceness: FFMPEG_NICE.THUMBNAIL })
6fdc553a
C
141 .on('error', rej)
142 .on('end', () => res(imageName))
143 .thumbnail(options)
144 })
145
146 const destination = join(folder, imageName)
2fb5b3a5 147 await processImage(pendingImagePath, destination, size)
6fdc553a 148 } catch (err) {
d5b7d911 149 logger.error('Cannot generate image from video %s.', fromPath, { err })
6fdc553a
C
150
151 try {
62689b94 152 await remove(pendingImagePath)
6fdc553a 153 } catch (err) {
d5b7d911 154 logger.debug('Cannot remove pending image path after generation error.', { err })
6fdc553a
C
155 }
156 }
14d3270f
C
157}
158
3a149e9f 159type TranscodeOptionsType = 'hls' | 'quick-transcode' | 'video' | 'merge-audio' | 'only-audio'
536598cf
C
160
161interface BaseTranscodeOptions {
162 type: TranscodeOptionsType
14d3270f
C
163 inputPath: string
164 outputPath: string
09209296 165 resolution: VideoResolution
056aa7f2 166 isPortraitMode?: boolean
536598cf 167}
09209296 168
536598cf
C
169interface HLSTranscodeOptions extends BaseTranscodeOptions {
170 type: 'hls'
d7a25329 171 copyCodecs: boolean
536598cf 172 hlsPlaylist: {
4c280004
C
173 videoFilename: string
174 }
14d3270f
C
175}
176
536598cf
C
177interface QuickTranscodeOptions extends BaseTranscodeOptions {
178 type: 'quick-transcode'
179}
180
181interface VideoTranscodeOptions extends BaseTranscodeOptions {
182 type: 'video'
183}
184
185interface MergeAudioTranscodeOptions extends BaseTranscodeOptions {
186 type: 'merge-audio'
187 audioPath: string
188}
189
3a149e9f
C
190interface OnlyAudioTranscodeOptions extends BaseTranscodeOptions {
191 type: 'only-audio'
5c7d6508 192}
193
3a149e9f
C
194type TranscodeOptions = HLSTranscodeOptions
195 | VideoTranscodeOptions
196 | MergeAudioTranscodeOptions
197 | OnlyAudioTranscodeOptions
198 | QuickTranscodeOptions
536598cf 199
14d3270f 200function transcode (options: TranscodeOptions) {
73c69591 201 return new Promise<void>(async (res, rej) => {
cdf4cb9e 202 try {
cdf4cb9e
C
203 let command = ffmpeg(options.inputPath, { niceness: FFMPEG_NICE.TRANSCODING })
204 .output(options.outputPath)
14aed608 205
536598cf
C
206 if (options.type === 'quick-transcode') {
207 command = await buildQuickTranscodeCommand(command)
208 } else if (options.type === 'hls') {
14aed608 209 command = await buildHLSCommand(command, options)
536598cf
C
210 } else if (options.type === 'merge-audio') {
211 command = await buildAudioMergeCommand(command, options)
3a149e9f
C
212 } else if (options.type === 'only-audio') {
213 command = await buildOnlyAudioCommand(command, options)
14aed608
C
214 } else {
215 command = await buildx264Command(command, options)
216 }
7160878c 217
cdf4cb9e
C
218 if (CONFIG.TRANSCODING.THREADS > 0) {
219 // if we don't set any threads ffmpeg will chose automatically
220 command = command.outputOption('-threads ' + CONFIG.TRANSCODING.THREADS)
221 }
14d3270f 222
cdf4cb9e
C
223 command
224 .on('error', (err, stdout, stderr) => {
225 logger.error('Error in transcoding job.', { stdout, stderr })
226 return rej(err)
227 })
7f8f8bdb 228 .on('end', () => {
536598cf 229 return fixHLSPlaylistIfNeeded(options)
7f8f8bdb
C
230 .then(() => res())
231 .catch(err => rej(err))
232 })
cdf4cb9e
C
233 .run()
234 } catch (err) {
235 return rej(err)
236 }
14d3270f
C
237 })
238}
239
7ed2c1a4 240async function canDoQuickTranscode (path: string): Promise<boolean> {
5ba49f26
FA
241 // NOTE: This could be optimized by running ffprobe only once (but it runs fast anyway)
242 const videoStream = await getVideoStreamFromFile(path)
243 const parsedAudio = await audio.get(path)
244 const fps = await getVideoFileFPS(path)
245 const bitRate = await getVideoFileBitrate(path)
246 const resolution = await getVideoFileResolution(path)
247
248 // check video params
5c7d6508 249 if (videoStream == null) return false
1600235a 250 if (videoStream[ 'codec_name' ] !== 'h264') return false
f6e0de3f 251 if (videoStream[ 'pix_fmt' ] !== 'yuv420p') return false
1600235a
C
252 if (fps < VIDEO_TRANSCODING_FPS.MIN || fps > VIDEO_TRANSCODING_FPS.MAX) return false
253 if (bitRate > getMaxBitrate(resolution.videoFileResolution, fps, VIDEO_TRANSCODING_FPS)) return false
5ba49f26 254
3a149e9f 255 // check audio params (if audio stream exists)
5ba49f26 256 if (parsedAudio.audioStream) {
1600235a
C
257 if (parsedAudio.audioStream[ 'codec_name' ] !== 'aac') return false
258
5ba49f26 259 const maxAudioBitrate = audio.bitrate[ 'aac' ](parsedAudio.audioStream[ 'bit_rate' ])
1600235a 260 if (maxAudioBitrate !== -1 && parsedAudio.audioStream[ 'bit_rate' ] > maxAudioBitrate) return false
5ba49f26 261 }
7ed2c1a4 262
5ba49f26
FA
263 return true
264}
265
c7f36e4f
C
266function getClosestFramerateStandard (fps: number, type: 'HD_STANDARD' | 'STANDARD'): number {
267 return VIDEO_TRANSCODING_FPS[type].slice(0)
268 .sort((a, b) => fps % a - fps % b)[0]
837666fe
RK
269}
270
14d3270f
C
271// ---------------------------------------------------------------------------
272
273export {
52201311
C
274 getVideoStreamCodec,
275 getAudioStreamCodec,
276 getVideoStreamSize,
056aa7f2 277 getVideoFileResolution,
14d3270f
C
278 getDurationFromVideoFile,
279 generateImageFromVideoFile,
536598cf
C
280 TranscodeOptions,
281 TranscodeOptionsType,
73c69591 282 transcode,
7160878c 283 getVideoFileFPS,
06215f15 284 computeResolutionsToTranscode,
edb4ffc7 285 audio,
5ba49f26
FA
286 getVideoFileBitrate,
287 canDoQuickTranscode
73c69591
C
288}
289
290// ---------------------------------------------------------------------------
291
d7a25329 292async function buildx264Command (command: ffmpeg.FfmpegCommand, options: TranscodeOptions) {
14aed608 293 let fps = await getVideoFileFPS(options.inputPath)
14aed608 294 if (
06bcfbd9 295 // On small/medium resolutions, limit FPS
14aed608
C
296 options.resolution !== undefined &&
297 options.resolution < VIDEO_TRANSCODING_FPS.KEEP_ORIGIN_FPS_RESOLUTION_MIN &&
c7f36e4f 298 fps > VIDEO_TRANSCODING_FPS.AVERAGE
14aed608 299 ) {
06bcfbd9 300 // Get closest standard framerate by modulo: downsampling has to be done to a divisor of the nominal fps value
c7f36e4f 301 fps = getClosestFramerateStandard(fps, 'STANDARD')
14aed608
C
302 }
303
536598cf 304 command = await presetH264(command, options.inputPath, options.resolution, fps)
14aed608
C
305
306 if (options.resolution !== undefined) {
307 // '?x720' or '720x?' for example
308 const size = options.isPortraitMode === true ? `${options.resolution}x?` : `?x${options.resolution}`
309 command = command.size(size)
310 }
311
312 if (fps) {
313 // Hard FPS limits
c7f36e4f 314 if (fps > VIDEO_TRANSCODING_FPS.MAX) fps = getClosestFramerateStandard(fps, 'HD_STANDARD')
14aed608
C
315 else if (fps < VIDEO_TRANSCODING_FPS.MIN) fps = VIDEO_TRANSCODING_FPS.MIN
316
317 command = command.withFPS(fps)
318 }
319
320 return command
321}
322
536598cf
C
323async function buildAudioMergeCommand (command: ffmpeg.FfmpegCommand, options: MergeAudioTranscodeOptions) {
324 command = command.loop(undefined)
325
326 command = await presetH264VeryFast(command, options.audioPath, options.resolution)
327
328 command = command.input(options.audioPath)
329 .videoFilter('scale=trunc(iw/2)*2:trunc(ih/2)*2') // Avoid "height not divisible by 2" error
330 .outputOption('-tune stillimage')
331 .outputOption('-shortest')
332
333 return command
334}
335
3a149e9f
C
336async function buildOnlyAudioCommand (command: ffmpeg.FfmpegCommand, options: OnlyAudioTranscodeOptions) {
337 command = await presetOnlyAudio(command)
5c7d6508 338
339 return command
340}
341
536598cf
C
342async function buildQuickTranscodeCommand (command: ffmpeg.FfmpegCommand) {
343 command = await presetCopy(command)
344
345 command = command.outputOption('-map_metadata -1') // strip all metadata
346 .outputOption('-movflags faststart')
347
348 return command
349}
350
351async function buildHLSCommand (command: ffmpeg.FfmpegCommand, options: HLSTranscodeOptions) {
14aed608
C
352 const videoPath = getHLSVideoPath(options)
353
d7a25329
C
354 if (options.copyCodecs) command = await presetCopy(command)
355 else command = await buildx264Command(command, options)
14aed608
C
356
357 command = command.outputOption('-hls_time 4')
358 .outputOption('-hls_list_size 0')
359 .outputOption('-hls_playlist_type vod')
360 .outputOption('-hls_segment_filename ' + videoPath)
361 .outputOption('-hls_segment_type fmp4')
362 .outputOption('-f hls')
363 .outputOption('-hls_flags single_file')
364
365 return command
366}
367
536598cf 368function getHLSVideoPath (options: HLSTranscodeOptions) {
7f8f8bdb
C
369 return `${dirname(options.outputPath)}/${options.hlsPlaylist.videoFilename}`
370}
371
536598cf
C
372async function fixHLSPlaylistIfNeeded (options: TranscodeOptions) {
373 if (options.type !== 'hls') return
7f8f8bdb 374
7f8f8bdb
C
375 const fileContent = await readFile(options.outputPath)
376
377 const videoFileName = options.hlsPlaylist.videoFilename
378 const videoFilePath = getHLSVideoPath(options)
379
536598cf 380 // Fix wrong mapping with some ffmpeg versions
7f8f8bdb
C
381 const newContent = fileContent.toString()
382 .replace(`#EXT-X-MAP:URI="${videoFilePath}",`, `#EXT-X-MAP:URI="${videoFileName}",`)
383
384 await writeFile(options.outputPath, newContent)
385}
386
5ba49f26 387function getVideoStreamFromFile (path: string) {
73c69591
C
388 return new Promise<any>((res, rej) => {
389 ffmpeg.ffprobe(path, (err, metadata) => {
390 if (err) return rej(err)
391
392 const videoStream = metadata.streams.find(s => s.codec_type === 'video')
3a149e9f 393 return res(videoStream || null)
73c69591
C
394 })
395 })
14d3270f 396}
4176e227
RK
397
398/**
399 * A slightly customised version of the 'veryfast' x264 preset
400 *
401 * The veryfast preset is right in the sweet spot of performance
402 * and quality. Superfast and ultrafast will give you better
403 * performance, but then quality is noticeably worse.
404 */
536598cf
C
405async function presetH264VeryFast (command: ffmpeg.FfmpegCommand, input: string, resolution: VideoResolution, fps?: number) {
406 let localCommand = await presetH264(command, input, resolution, fps)
407
cdf4cb9e 408 localCommand = localCommand.outputOption('-preset:v veryfast')
536598cf 409
4176e227
RK
410 /*
411 MAIN reference: https://slhck.info/video/2017/03/01/rate-control.html
412 Our target situation is closer to a livestream than a stream,
413 since we want to reduce as much a possible the encoding burden,
536598cf 414 although not to the point of a livestream where there is a hard
4176e227 415 constraint on the frames per second to be encoded.
4176e227 416 */
cdf4cb9e
C
417
418 return localCommand
4176e227
RK
419}
420
4176e227
RK
421/**
422 * A toolbox to play with audio
423 */
424namespace audio {
3a149e9f 425 export const get = (videoPath: string) => {
4176e227
RK
426 // without position, ffprobe considers the last input only
427 // we make it consider the first input only
4a5ccac5 428 // if you pass a file path to pos, then ffprobe acts on that file directly
7160878c 429 return new Promise<{ absolutePath: string, audioStream?: any }>((res, rej) => {
cdf4cb9e
C
430
431 function parseFfprobe (err: any, data: ffmpeg.FfprobeData) {
7160878c
RK
432 if (err) return rej(err)
433
434 if ('streams' in data) {
3a149e9f 435 const audioStream = data.streams.find(stream => stream[ 'codec_type' ] === 'audio')
7160878c
RK
436 if (audioStream) {
437 return res({
438 absolutePath: data.format.filename,
439 audioStream
440 })
4a5ccac5 441 }
7160878c 442 }
cdf4cb9e 443
7160878c 444 return res({ absolutePath: data.format.filename })
cdf4cb9e
C
445 }
446
3a149e9f 447 return ffmpeg.ffprobe(videoPath, parseFfprobe)
4a5ccac5 448 })
4176e227
RK
449 }
450
451 export namespace bitrate {
eed24d26 452 const baseKbitrate = 384
4176e227 453
9b474844 454 const toBits = (kbits: number) => kbits * 8000
4176e227
RK
455
456 export const aac = (bitrate: number): number => {
457 switch (true) {
9b474844
C
458 case bitrate > toBits(baseKbitrate):
459 return baseKbitrate
460
461 default:
462 return -1 // we interpret it as a signal to copy the audio stream as is
4176e227
RK
463 }
464 }
465
466 export const mp3 = (bitrate: number): number => {
7160878c
RK
467 /*
468 a 192kbit/sec mp3 doesn't hold as much information as a 192kbit/sec aac.
469 That's why, when using aac, we can go to lower kbit/sec. The equivalences
470 made here are not made to be accurate, especially with good mp3 encoders.
471 */
4176e227 472 switch (true) {
9b474844
C
473 case bitrate <= toBits(192):
474 return 128
475
476 case bitrate <= toBits(384):
477 return 256
478
479 default:
480 return baseKbitrate
4176e227
RK
481 }
482 }
483 }
484}
485
486/**
487 * Standard profile, with variable bitrate audio and faststart.
488 *
489 * As for the audio, quality '5' is the highest and ensures 96-112kbps/channel
490 * See https://trac.ffmpeg.org/wiki/Encode/AAC#fdk_vbr
491 */
536598cf 492async function presetH264 (command: ffmpeg.FfmpegCommand, input: string, resolution: VideoResolution, fps?: number) {
cdf4cb9e 493 let localCommand = command
4176e227
RK
494 .format('mp4')
495 .videoCodec('libx264')
52201311
C
496 .outputOption('-level 3.1') // 3.1 is the minimal resource allocation for our highest supported resolution
497 .outputOption('-b_strategy 1') // NOTE: b-strategy 1 - heuristic algorithm, 16 is optimal B-frames for it
4176e227 498 .outputOption('-bf 16') // NOTE: Why 16: https://github.com/Chocobozzz/PeerTube/pull/774. b-strategy 2 -> B-frames<16
408f50eb 499 .outputOption('-pix_fmt yuv420p') // allows import of source material with incompatible pixel formats (e.g. MJPEG video)
4a5ccac5 500 .outputOption('-map_metadata -1') // strip all metadata
4176e227 501 .outputOption('-movflags faststart')
4176e227 502
536598cf 503 const parsedAudio = await audio.get(input)
4176e227 504
cdf4cb9e
C
505 if (!parsedAudio.audioStream) {
506 localCommand = localCommand.noAudio()
507 } else if ((await checkFFmpegEncoders()).get('libfdk_aac')) { // we favor VBR, if a good AAC encoder is available
508 localCommand = localCommand
4176e227
RK
509 .audioCodec('libfdk_aac')
510 .audioQuality(5)
cdf4cb9e 511 } else {
536598cf 512 // we try to reduce the ceiling bitrate by making rough matches of bitrates
cdf4cb9e 513 // of course this is far from perfect, but it might save some space in the end
536598cf
C
514 localCommand = localCommand.audioCodec('aac')
515
cdf4cb9e 516 const audioCodecName = parsedAudio.audioStream[ 'codec_name' ]
cdf4cb9e 517
536598cf
C
518 if (audio.bitrate[ audioCodecName ]) {
519 const bitrate = audio.bitrate[ audioCodecName ](parsedAudio.audioStream[ 'bit_rate' ])
64e3e270 520 if (bitrate !== undefined && bitrate !== -1) localCommand = localCommand.audioBitrate(bitrate)
cdf4cb9e 521 }
4176e227
RK
522 }
523
536598cf
C
524 if (fps) {
525 // Constrained Encoding (VBV)
526 // https://slhck.info/video/2017/03/01/rate-control.html
527 // https://trac.ffmpeg.org/wiki/Limiting%20the%20output%20bitrate
528 const targetBitrate = getTargetBitrate(resolution, fps, VIDEO_TRANSCODING_FPS)
529 localCommand = localCommand.outputOptions([ `-maxrate ${targetBitrate}`, `-bufsize ${targetBitrate * 2}` ])
530
531 // Keyframe interval of 2 seconds for faster seeking and resolution switching.
532 // https://streaminglearningcenter.com/blogs/whats-the-right-keyframe-interval.html
533 // https://superuser.com/a/908325
534 localCommand = localCommand.outputOption(`-g ${fps * 2}`)
535 }
bcf21a37 536
cdf4cb9e 537 return localCommand
4176e227 538}
14aed608
C
539
540async function presetCopy (command: ffmpeg.FfmpegCommand): Promise<ffmpeg.FfmpegCommand> {
541 return command
542 .format('mp4')
543 .videoCodec('copy')
544 .audioCodec('copy')
545}
5c7d6508 546
3a149e9f 547async function presetOnlyAudio (command: ffmpeg.FfmpegCommand): Promise<ffmpeg.FfmpegCommand> {
5c7d6508 548 return command
549 .format('mp4')
550 .audioCodec('copy')
551 .noVideo()
552}