]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame - server/helpers/ffmpeg-utils.ts
Add missing niceness to ffmpeg thumbnail processes
[github/Chocobozzz/PeerTube.git] / server / helpers / ffmpeg-utils.ts
CommitLineData
3b01f4c0 1import { Job } from 'bull'
14d3270f 2import * as ffmpeg from 'fluent-ffmpeg'
053aed43 3import { readFile, remove, writeFile } from 'fs-extra'
09209296 4import { dirname, join } from 'path'
884d2c39 5import { FFMPEG_NICE, VIDEO_LIVE, VIDEO_TRANSCODING_ENCODERS } from '@server/initializers/constants'
5a547f69 6import { VideoResolution } from '../../shared/models/videos'
c6c0fa6c
C
7import { checkFFmpegEncoders } from '../initializers/checker-before-init'
8import { CONFIG } from '../initializers/config'
884d2c39 9import { computeFPS, getAudioStream, getVideoFileFPS } from './ffprobe-utils'
26670720 10import { processImage } from './image-utils'
6fdc553a 11import { logger } from './logger'
14d3270f 12
6b67897e
C
13/**
14 *
15 * Functions that run transcoding/muxing ffmpeg processes
16 * Mainly called by lib/video-transcoding.ts and lib/live-manager.ts
17 *
18 */
19
9252a33d
C
20// ---------------------------------------------------------------------------
21// Encoder options
22// ---------------------------------------------------------------------------
23
24// Options builders
25
26export type EncoderOptionsBuilder = (params: {
27 input: string
28 resolution: VideoResolution
29 fps?: number
5a547f69 30 streamNum?: number
9252a33d
C
31}) => Promise<EncoderOptions> | EncoderOptions
32
33// Options types
34
35export interface EncoderOptions {
5a547f69 36 copy?: boolean
9252a33d
C
37 outputOptions: string[]
38}
39
40// All our encoders
41
42export interface EncoderProfile <T> {
43 [ profile: string ]: T
44
45 default: T
46}
47
48export type AvailableEncoders = {
49 [ id in 'live' | 'vod' ]: {
5a547f69 50 [ encoder in 'libx264' | 'aac' | 'libfdk_aac' ]?: EncoderProfile<EncoderOptionsBuilder>
9252a33d
C
51 }
52}
53
54// ---------------------------------------------------------------------------
55// Image manipulation
56// ---------------------------------------------------------------------------
57
58function convertWebPToJPG (path: string, destination: string): Promise<void> {
a4a8cd39 59 const command = ffmpeg(path, { niceness: FFMPEG_NICE.THUMBNAIL })
9252a33d
C
60 .output(destination)
61
62 return runCommand(command)
63}
64
65function processGIF (
66 path: string,
67 destination: string,
f619de0e 68 newSize: { width: number, height: number }
9252a33d 69): Promise<void> {
a4a8cd39 70 const command = ffmpeg(path, { niceness: FFMPEG_NICE.THUMBNAIL })
f619de0e
C
71 .fps(20)
72 .size(`${newSize.width}x${newSize.height}`)
73 .output(destination)
9252a33d 74
f619de0e 75 return runCommand(command)
9252a33d
C
76}
77
26670720
C
78async function generateImageFromVideoFile (fromPath: string, folder: string, imageName: string, size: { width: number, height: number }) {
79 const pendingImageName = 'pending-' + imageName
80
14d3270f 81 const options = {
26670720 82 filename: pendingImageName,
14d3270f
C
83 count: 1,
84 folder
85 }
86
26670720 87 const pendingImagePath = join(folder, pendingImageName)
6fdc553a
C
88
89 try {
90 await new Promise<string>((res, rej) => {
7160878c 91 ffmpeg(fromPath, { niceness: FFMPEG_NICE.THUMBNAIL })
6fdc553a
C
92 .on('error', rej)
93 .on('end', () => res(imageName))
94 .thumbnail(options)
95 })
96
97 const destination = join(folder, imageName)
2fb5b3a5 98 await processImage(pendingImagePath, destination, size)
6fdc553a 99 } catch (err) {
d5b7d911 100 logger.error('Cannot generate image from video %s.', fromPath, { err })
6fdc553a
C
101
102 try {
62689b94 103 await remove(pendingImagePath)
6fdc553a 104 } catch (err) {
d5b7d911 105 logger.debug('Cannot remove pending image path after generation error.', { err })
6fdc553a
C
106 }
107 }
14d3270f
C
108}
109
daf6e480
C
110// ---------------------------------------------------------------------------
111// Transcode meta function
112// ---------------------------------------------------------------------------
113
2650d6d4 114type TranscodeOptionsType = 'hls' | 'hls-from-ts' | 'quick-transcode' | 'video' | 'merge-audio' | 'only-audio'
536598cf
C
115
116interface BaseTranscodeOptions {
117 type: TranscodeOptionsType
9252a33d 118
14d3270f
C
119 inputPath: string
120 outputPath: string
9252a33d
C
121
122 availableEncoders: AvailableEncoders
123 profile: string
124
09209296 125 resolution: VideoResolution
9252a33d 126
056aa7f2 127 isPortraitMode?: boolean
3b01f4c0
C
128
129 job?: Job
536598cf 130}
09209296 131
536598cf
C
132interface HLSTranscodeOptions extends BaseTranscodeOptions {
133 type: 'hls'
d7a25329 134 copyCodecs: boolean
536598cf 135 hlsPlaylist: {
4c280004
C
136 videoFilename: string
137 }
14d3270f
C
138}
139
2650d6d4
C
140interface HLSFromTSTranscodeOptions extends BaseTranscodeOptions {
141 type: 'hls-from-ts'
142
e772bdf1
C
143 isAAC: boolean
144
2650d6d4
C
145 hlsPlaylist: {
146 videoFilename: string
147 }
148}
149
536598cf
C
150interface QuickTranscodeOptions extends BaseTranscodeOptions {
151 type: 'quick-transcode'
152}
153
154interface VideoTranscodeOptions extends BaseTranscodeOptions {
155 type: 'video'
156}
157
158interface MergeAudioTranscodeOptions extends BaseTranscodeOptions {
159 type: 'merge-audio'
160 audioPath: string
161}
162
3a149e9f
C
163interface OnlyAudioTranscodeOptions extends BaseTranscodeOptions {
164 type: 'only-audio'
5c7d6508 165}
166
a1587156
C
167type TranscodeOptions =
168 HLSTranscodeOptions
2650d6d4 169 | HLSFromTSTranscodeOptions
3a149e9f
C
170 | VideoTranscodeOptions
171 | MergeAudioTranscodeOptions
172 | OnlyAudioTranscodeOptions
173 | QuickTranscodeOptions
536598cf 174
daf6e480
C
175const builders: {
176 [ type in TranscodeOptionsType ]: (c: ffmpeg.FfmpegCommand, o?: TranscodeOptions) => Promise<ffmpeg.FfmpegCommand> | ffmpeg.FfmpegCommand
177} = {
178 'quick-transcode': buildQuickTranscodeCommand,
179 'hls': buildHLSVODCommand,
2650d6d4 180 'hls-from-ts': buildHLSVODFromTSCommand,
daf6e480
C
181 'merge-audio': buildAudioMergeCommand,
182 'only-audio': buildOnlyAudioCommand,
9252a33d 183 'video': buildx264VODCommand
daf6e480
C
184}
185
186async function transcode (options: TranscodeOptions) {
9e2b2e76
C
187 logger.debug('Will run transcode.', { options })
188
55223d65 189 let command = getFFmpeg(options.inputPath, 'vod')
daf6e480 190 .output(options.outputPath)
14d3270f 191
daf6e480 192 command = await builders[options.type](command, options)
7ed2c1a4 193
3b01f4c0 194 await runCommand(command, options.job)
5ba49f26 195
daf6e480 196 await fixHLSPlaylistIfNeeded(options)
837666fe
RK
197}
198
9252a33d
C
199// ---------------------------------------------------------------------------
200// Live muxing/transcoding functions
201// ---------------------------------------------------------------------------
123f6193 202
5a547f69
C
203async function getLiveTranscodingCommand (options: {
204 rtmpUrl: string
205 outPath: string
206 resolutions: number[]
207 fps: number
5a547f69
C
208
209 availableEncoders: AvailableEncoders
210 profile: string
211}) {
937581b8 212 const { rtmpUrl, outPath, resolutions, fps, availableEncoders, profile } = options
5a547f69
C
213 const input = rtmpUrl
214
55223d65 215 const command = getFFmpeg(input, 'live')
c6c0fa6c
C
216
217 const varStreamMap: string[] = []
218
219 command.complexFilter([
220 {
221 inputs: '[v:0]',
222 filter: 'split',
223 options: resolutions.length,
224 outputs: resolutions.map(r => `vtemp${r}`)
225 },
226
227 ...resolutions.map(r => ({
228 inputs: `vtemp${r}`,
229 filter: 'scale',
230 options: `w=-2:h=${r}`,
231 outputs: `vout${r}`
232 }))
233 ])
234
c6c0fa6c 235 command.outputOption('-preset superfast')
49bcdb0d 236 command.outputOption('-sc_threshold 0')
c6c0fa6c 237
ce4a50b9
C
238 addDefaultEncoderGlobalParams({ command })
239
c6c0fa6c
C
240 for (let i = 0; i < resolutions.length; i++) {
241 const resolution = resolutions[i]
884d2c39
C
242 const resolutionFPS = computeFPS(fps, resolution)
243
244 const baseEncoderBuilderParams = {
245 input,
246 availableEncoders,
247 profile,
248 fps: resolutionFPS,
249 resolution,
250 streamNum: i,
251 videoType: 'live' as 'live'
252 }
5a547f69
C
253
254 {
255 const builderResult = await getEncoderBuilderResult(Object.assign({}, baseEncoderBuilderParams, { streamType: 'VIDEO' }))
256 if (!builderResult) {
257 throw new Error('No available live video encoder found')
258 }
259
260 command.outputOption(`-map [vout${resolution}]`)
261
884d2c39 262 addDefaultEncoderParams({ command, encoder: builderResult.encoder, fps: resolutionFPS, streamNum: i })
5a547f69
C
263
264 logger.debug('Apply ffmpeg live video params from %s.', builderResult.encoder, builderResult)
c6c0fa6c 265
5a547f69
C
266 command.outputOption(`${buildStreamSuffix('-c:v', i)} ${builderResult.encoder}`)
267 command.addOutputOptions(builderResult.result.outputOptions)
268 }
269
270 {
271 const builderResult = await getEncoderBuilderResult(Object.assign({}, baseEncoderBuilderParams, { streamType: 'AUDIO' }))
272 if (!builderResult) {
273 throw new Error('No available live audio encoder found')
274 }
c6c0fa6c 275
5a547f69
C
276 command.outputOption('-map a:0')
277
884d2c39 278 addDefaultEncoderParams({ command, encoder: builderResult.encoder, fps: resolutionFPS, streamNum: i })
5a547f69
C
279
280 logger.debug('Apply ffmpeg live audio params from %s.', builderResult.encoder, builderResult)
281
282 command.outputOption(`${buildStreamSuffix('-c:a', i)} ${builderResult.encoder}`)
283 command.addOutputOptions(builderResult.result.outputOptions)
284 }
c6c0fa6c
C
285
286 varStreamMap.push(`v:${i},a:${i}`)
287 }
288
937581b8 289 addDefaultLiveHLSParams(command, outPath)
c6c0fa6c
C
290
291 command.outputOption('-var_stream_map', varStreamMap.join(' '))
292
c6c0fa6c
C
293 return command
294}
295
937581b8 296function getLiveMuxingCommand (rtmpUrl: string, outPath: string) {
55223d65 297 const command = getFFmpeg(rtmpUrl, 'live')
c6c0fa6c
C
298
299 command.outputOption('-c:v copy')
300 command.outputOption('-c:a copy')
301 command.outputOption('-map 0:a?')
302 command.outputOption('-map 0:v?')
303
937581b8 304 addDefaultLiveHLSParams(command, outPath)
c6c0fa6c 305
c6c0fa6c
C
306 return command
307}
308
5a547f69
C
309function buildStreamSuffix (base: string, streamNum?: number) {
310 if (streamNum !== undefined) {
311 return `${base}:${streamNum}`
312 }
313
314 return base
315}
316
9252a33d
C
317// ---------------------------------------------------------------------------
318// Default options
319// ---------------------------------------------------------------------------
320
ce4a50b9
C
321function addDefaultEncoderGlobalParams (options: {
322 command: ffmpeg.FfmpegCommand
323}) {
324 const { command } = options
325
326 // avoid issues when transcoding some files: https://trac.ffmpeg.org/ticket/6375
327 command.outputOption('-max_muxing_queue_size 1024')
328 // strip all metadata
329 .outputOption('-map_metadata -1')
330 // NOTE: b-strategy 1 - heuristic algorithm, 16 is optimal B-frames for it
331 .outputOption('-b_strategy 1')
332 // NOTE: Why 16: https://github.com/Chocobozzz/PeerTube/pull/774. b-strategy 2 -> B-frames<16
333 .outputOption('-bf 16')
334 // allows import of source material with incompatible pixel formats (e.g. MJPEG video)
335 .outputOption('-pix_fmt yuv420p')
336}
337
5a547f69
C
338function addDefaultEncoderParams (options: {
339 command: ffmpeg.FfmpegCommand
340 encoder: 'libx264' | string
341 streamNum?: number
342 fps?: number
343}) {
344 const { command, encoder, fps, streamNum } = options
345
346 if (encoder === 'libx264') {
347 // 3.1 is the minimal resource allocation for our highest supported resolution
ce4a50b9 348 command.outputOption(buildStreamSuffix('-level:v', streamNum) + ' 3.1')
5a547f69
C
349
350 if (fps) {
351 // Keyframe interval of 2 seconds for faster seeking and resolution switching.
352 // https://streaminglearningcenter.com/blogs/whats-the-right-keyframe-interval.html
353 // https://superuser.com/a/908325
ce4a50b9 354 command.outputOption(buildStreamSuffix('-g:v', streamNum) + ' ' + (fps * 2))
5a547f69
C
355 }
356 }
c6c0fa6c
C
357}
358
937581b8 359function addDefaultLiveHLSParams (command: ffmpeg.FfmpegCommand, outPath: string) {
68e70a74 360 command.outputOption('-hls_time ' + VIDEO_LIVE.SEGMENT_TIME_SECONDS)
fb719404 361 command.outputOption('-hls_list_size ' + VIDEO_LIVE.SEGMENTS_LIST_SIZE)
49bcdb0d 362 command.outputOption('-hls_flags delete_segments+independent_segments')
21226063 363 command.outputOption(`-hls_segment_filename ${join(outPath, '%v-%06d.ts')}`)
c6c0fa6c
C
364 command.outputOption('-master_pl_name master.m3u8')
365 command.outputOption(`-f hls`)
366
367 command.output(join(outPath, '%v.m3u8'))
368}
369
9252a33d
C
370// ---------------------------------------------------------------------------
371// Transcode VOD command builders
372// ---------------------------------------------------------------------------
373
374async function buildx264VODCommand (command: ffmpeg.FfmpegCommand, options: TranscodeOptions) {
14aed608 375 let fps = await getVideoFileFPS(options.inputPath)
884d2c39 376 fps = computeFPS(fps, options.resolution)
14aed608 377
9252a33d 378 command = await presetVideo(command, options.inputPath, options, fps)
14aed608
C
379
380 if (options.resolution !== undefined) {
381 // '?x720' or '720x?' for example
5a547f69
C
382 const size = options.isPortraitMode === true
383 ? `${options.resolution}x?`
384 : `?x${options.resolution}`
385
14aed608
C
386 command = command.size(size)
387 }
388
14aed608
C
389 return command
390}
391
536598cf
C
392async function buildAudioMergeCommand (command: ffmpeg.FfmpegCommand, options: MergeAudioTranscodeOptions) {
393 command = command.loop(undefined)
394
9252a33d
C
395 command = await presetVideo(command, options.audioPath, options)
396
9252a33d 397 command.outputOption('-preset:v veryfast')
536598cf
C
398
399 command = command.input(options.audioPath)
400 .videoFilter('scale=trunc(iw/2)*2:trunc(ih/2)*2') // Avoid "height not divisible by 2" error
401 .outputOption('-tune stillimage')
402 .outputOption('-shortest')
403
404 return command
405}
406
daf6e480 407function buildOnlyAudioCommand (command: ffmpeg.FfmpegCommand, _options: OnlyAudioTranscodeOptions) {
a1587156 408 command = presetOnlyAudio(command)
5c7d6508 409
410 return command
411}
412
a1587156
C
413function buildQuickTranscodeCommand (command: ffmpeg.FfmpegCommand) {
414 command = presetCopy(command)
536598cf
C
415
416 command = command.outputOption('-map_metadata -1') // strip all metadata
417 .outputOption('-movflags faststart')
418
419 return command
420}
421
2650d6d4
C
422function addCommonHLSVODCommandOptions (command: ffmpeg.FfmpegCommand, outputPath: string) {
423 return command.outputOption('-hls_time 4')
424 .outputOption('-hls_list_size 0')
425 .outputOption('-hls_playlist_type vod')
426 .outputOption('-hls_segment_filename ' + outputPath)
427 .outputOption('-hls_segment_type fmp4')
428 .outputOption('-f hls')
429 .outputOption('-hls_flags single_file')
430}
431
c6c0fa6c 432async function buildHLSVODCommand (command: ffmpeg.FfmpegCommand, options: HLSTranscodeOptions) {
14aed608
C
433 const videoPath = getHLSVideoPath(options)
434
a1587156 435 if (options.copyCodecs) command = presetCopy(command)
1c320673 436 else if (options.resolution === VideoResolution.H_NOVIDEO) command = presetOnlyAudio(command)
9252a33d 437 else command = await buildx264VODCommand(command, options)
14aed608 438
2650d6d4
C
439 addCommonHLSVODCommandOptions(command, videoPath)
440
441 return command
442}
443
444async function buildHLSVODFromTSCommand (command: ffmpeg.FfmpegCommand, options: HLSFromTSTranscodeOptions) {
445 const videoPath = getHLSVideoPath(options)
446
3851e732 447 command.outputOption('-c copy')
e772bdf1
C
448
449 if (options.isAAC) {
450 // Required for example when copying an AAC stream from an MPEG-TS
451 // Since it's a bitstream filter, we don't need to reencode the audio
452 command.outputOption('-bsf:a aac_adtstoasc')
453 }
2650d6d4
C
454
455 addCommonHLSVODCommandOptions(command, videoPath)
14aed608
C
456
457 return command
458}
459
536598cf 460async function fixHLSPlaylistIfNeeded (options: TranscodeOptions) {
2650d6d4 461 if (options.type !== 'hls' && options.type !== 'hls-from-ts') return
7f8f8bdb 462
7f8f8bdb
C
463 const fileContent = await readFile(options.outputPath)
464
465 const videoFileName = options.hlsPlaylist.videoFilename
466 const videoFilePath = getHLSVideoPath(options)
467
536598cf 468 // Fix wrong mapping with some ffmpeg versions
7f8f8bdb
C
469 const newContent = fileContent.toString()
470 .replace(`#EXT-X-MAP:URI="${videoFilePath}",`, `#EXT-X-MAP:URI="${videoFileName}",`)
471
472 await writeFile(options.outputPath, newContent)
473}
474
2650d6d4 475function getHLSVideoPath (options: HLSTranscodeOptions | HLSFromTSTranscodeOptions) {
9252a33d 476 return `${dirname(options.outputPath)}/${options.hlsPlaylist.videoFilename}`
4176e227
RK
477}
478
9252a33d
C
479// ---------------------------------------------------------------------------
480// Transcoding presets
481// ---------------------------------------------------------------------------
482
5a547f69
C
483async function getEncoderBuilderResult (options: {
484 streamType: string
485 input: string
486
487 availableEncoders: AvailableEncoders
488 profile: string
489
490 videoType: 'vod' | 'live'
491
492 resolution: number
493 fps?: number
494 streamNum?: number
495}) {
496 const { availableEncoders, input, profile, resolution, streamType, fps, streamNum, videoType } = options
497
498 const encodersToTry: string[] = VIDEO_TRANSCODING_ENCODERS[streamType]
499
500 for (const encoder of encodersToTry) {
501 if (!(await checkFFmpegEncoders()).get(encoder) || !availableEncoders[videoType][encoder]) continue
502
503 const builderProfiles: EncoderProfile<EncoderOptionsBuilder> = availableEncoders[videoType][encoder]
504 let builder = builderProfiles[profile]
505
506 if (!builder) {
507 logger.debug('Profile %s for encoder %s not available. Fallback to default.', profile, encoder)
508 builder = builderProfiles.default
509 }
510
511 const result = await builder({ input, resolution: resolution, fps, streamNum })
512
513 return {
514 result,
515
516 // If we don't have output options, then copy the input stream
517 encoder: result.copy === true
518 ? 'copy'
519 : encoder
520 }
521 }
522
523 return null
524}
525
9252a33d
C
526async function presetVideo (
527 command: ffmpeg.FfmpegCommand,
528 input: string,
529 transcodeOptions: TranscodeOptions,
530 fps?: number
531) {
cdf4cb9e 532 let localCommand = command
4176e227 533 .format('mp4')
4176e227 534 .outputOption('-movflags faststart')
4176e227 535
ce4a50b9
C
536 addDefaultEncoderGlobalParams({ command })
537
9252a33d 538 // Audio encoder
daf6e480 539 const parsedAudio = await getAudioStream(input)
4176e227 540
9252a33d 541 let streamsToProcess = [ 'AUDIO', 'VIDEO' ]
9252a33d 542
cdf4cb9e
C
543 if (!parsedAudio.audioStream) {
544 localCommand = localCommand.noAudio()
9252a33d
C
545 streamsToProcess = [ 'VIDEO' ]
546 }
536598cf 547
5a547f69
C
548 for (const streamType of streamsToProcess) {
549 const { profile, resolution, availableEncoders } = transcodeOptions
550
551 const builderResult = await getEncoderBuilderResult({
552 streamType,
553 input,
554 resolution,
555 availableEncoders,
556 profile,
557 fps,
558 videoType: 'vod' as 'vod'
559 })
9252a33d 560
5a547f69
C
561 if (!builderResult) {
562 throw new Error('No available encoder found for stream ' + streamType)
563 }
9252a33d 564
5a547f69 565 logger.debug('Apply ffmpeg params from %s.', builderResult.encoder, builderResult)
9252a33d 566
5a547f69
C
567 if (streamType === 'VIDEO') {
568 localCommand.videoCodec(builderResult.encoder)
569 } else if (streamType === 'AUDIO') {
570 localCommand.audioCodec(builderResult.encoder)
9252a33d
C
571 }
572
5a547f69
C
573 command.addOutputOptions(builderResult.result.outputOptions)
574 addDefaultEncoderParams({ command: localCommand, encoder: builderResult.encoder, fps })
536598cf 575 }
bcf21a37 576
cdf4cb9e 577 return localCommand
4176e227 578}
14aed608 579
a1587156 580function presetCopy (command: ffmpeg.FfmpegCommand): ffmpeg.FfmpegCommand {
14aed608
C
581 return command
582 .format('mp4')
583 .videoCodec('copy')
584 .audioCodec('copy')
585}
5c7d6508 586
a1587156 587function presetOnlyAudio (command: ffmpeg.FfmpegCommand): ffmpeg.FfmpegCommand {
5c7d6508 588 return command
589 .format('mp4')
590 .audioCodec('copy')
591 .noVideo()
592}
c6c0fa6c 593
9252a33d
C
594// ---------------------------------------------------------------------------
595// Utils
596// ---------------------------------------------------------------------------
597
55223d65 598function getFFmpeg (input: string, type: 'live' | 'vod') {
c6c0fa6c 599 // We set cwd explicitly because ffmpeg appears to create temporary files when trancoding which fails in read-only file systems
7abb6060
RK
600 const command = ffmpeg(input, {
601 niceness: type === 'live' ? FFMPEG_NICE.LIVE : FFMPEG_NICE.VOD,
602 cwd: CONFIG.STORAGE.TMP_DIR
603 })
c6c0fa6c 604
55223d65
C
605 const threads = type === 'live'
606 ? CONFIG.LIVE.TRANSCODING.THREADS
607 : CONFIG.TRANSCODING.THREADS
608
609 if (threads > 0) {
c6c0fa6c 610 // If we don't set any threads ffmpeg will chose automatically
55223d65 611 command.outputOption('-threads ' + threads)
c6c0fa6c
C
612 }
613
614 return command
615}
9252a33d 616
3b01f4c0 617async function runCommand (command: ffmpeg.FfmpegCommand, job?: Job) {
9252a33d
C
618 return new Promise<void>((res, rej) => {
619 command.on('error', (err, stdout, stderr) => {
9252a33d
C
620 logger.error('Error in transcoding job.', { stdout, stderr })
621 rej(err)
622 })
623
dd9c7929
C
624 command.on('end', (stdout, stderr) => {
625 logger.debug('FFmpeg command ended.', { stdout, stderr })
626
9252a33d
C
627 res()
628 })
629
3b01f4c0
C
630 if (job) {
631 command.on('progress', progress => {
632 if (!progress.percent) return
633
634 job.progress(Math.round(progress.percent))
635 .catch(err => logger.warn('Cannot set ffmpeg job progress.', { err }))
636 })
637 }
638
9252a33d
C
639 command.run()
640 })
641}
09849603
RK
642
643// ---------------------------------------------------------------------------
644
645export {
646 getLiveTranscodingCommand,
647 getLiveMuxingCommand,
648 buildStreamSuffix,
649 convertWebPToJPG,
650 processGIF,
651 generateImageFromVideoFile,
652 TranscodeOptions,
653 TranscodeOptionsType,
654 transcode,
655 runCommand,
656
657 // builders
658 buildx264VODCommand
659}