]> jfr.im git - yt-dlp.git/blame - yt_dlp/postprocessor/ffmpeg.py
bugfix for 19a0394044bfad36cd665450271b8eb048a41c02, 3d3bb1688bfc5373105e6bf7c3d4729c...
[yt-dlp.git] / yt_dlp / postprocessor / ffmpeg.py
CommitLineData
88968992 1import collections
7dde84f3 2import itertools
f8271158 3import json
496c1923 4import os
f8271158 5import re
496c1923 6import subprocess
496c1923
PH
7import time
8
496c1923 9from .common import AudioConversionError, PostProcessor
b11d2101 10from ..compat import compat_str
8c25f81b 11from ..utils import (
f8271158 12 ISO639Utils,
13 Popen,
14 PostProcessingError,
15 _get_exe_version_output,
16 detect_exe_version,
397235c5 17 determine_ext,
7a340e0d 18 dfxp2srt,
f07b74fc 19 encodeArgument,
496c1923 20 encodeFilename,
165efb82 21 float_or_none,
48844745 22 is_outdated_version,
7a340e0d 23 orderedSet,
496c1923 24 prepend_extension,
06167fbb 25 replace_extension,
7a340e0d 26 shell_quote,
324ad820 27 traverse_obj,
6606817a 28 variadic,
dac5df5a 29 write_json_file,
496c1923
PH
30)
31
a755f825 32EXT_TO_OUT_FORMATS = {
21bfcd3d
PH
33 'aac': 'adts',
34 'flac': 'flac',
35 'm4a': 'ipod',
36 'mka': 'matroska',
37 'mkv': 'matroska',
38 'mpg': 'mpeg',
39 'ogv': 'ogg',
40 'ts': 'mpegts',
41 'wma': 'asf',
42 'wmv': 'asf',
abad8000 43 'vtt': 'webvtt',
21bfcd3d
PH
44}
45ACODECS = {
46 'mp3': 'libmp3lame',
47 'aac': 'aac',
48 'flac': 'flac',
49 'm4a': 'aac',
d2ae7e24 50 'opus': 'libopus',
21bfcd3d
PH
51 'vorbis': 'libvorbis',
52 'wav': None,
467b6b83 53 'alac': None,
a755f825 54}
55
56
496c1923
PH
57class FFmpegPostProcessorError(PostProcessingError):
58 pass
59
d799b47b 60
496c1923 61class FFmpegPostProcessor(PostProcessor):
d47aeb22 62 def __init__(self, downloader=None):
496c1923 63 PostProcessor.__init__(self, downloader)
73fac4e9 64 self._determine_executables()
496c1923 65
48844745 66 def check_version(self):
f740fae2 67 if not self.available:
beb4b92a 68 raise FFmpegPostProcessorError('ffmpeg not found. Please install or provide the path using --ffmpeg-location')
48844745 69
65bf37ef 70 required_version = '10-0' if self.basename == 'avconv' else '1.0'
86e5f3ed 71 if is_outdated_version(self._versions[self.basename], required_version):
72 self.report_warning(f'Your copy of {self.basename} is outdated, update {self.basename} '
73 f'to version {required_version} or newer if you encounter any errors')
48844745 74
8913ef74 75 @staticmethod
76 def get_versions_and_features(downloader=None):
77 pp = FFmpegPostProcessor(downloader)
78 return pp._versions, pp._features
79
496c1923 80 @staticmethod
73fac4e9 81 def get_versions(downloader=None):
8a7f68d0 82 return FFmpegPostProcessor.get_versions_and_features(downloader)[0]
83
84 _version_cache, _features_cache = {}, {}
6271f1ca 85
73fac4e9
PH
86 def _determine_executables(self):
87 programs = ['avprobe', 'avconv', 'ffmpeg', 'ffprobe']
73fac4e9 88
9af98e17 89 def get_ffmpeg_version(path, prog):
8a7f68d0 90 if path in self._version_cache:
af4944d8 91 self._versions[prog], self._features = self._version_cache[path], self._features_cache.get(path, {})
8a7f68d0 92 return
93 out = _get_exe_version_output(path, ['-bsfs'], to_screen=self.write_debug)
9af98e17 94 ver = detect_exe_version(out) if out else False
a64646e4
RA
95 if ver:
96 regexs = [
cbdc688c 97 r'(?:\d+:)?([0-9.]+)-[0-9]+ubuntu[0-9.]+$', # Ubuntu, see [1]
5caa531a 98 r'n([0-9.]+)$', # Arch Linux
cbdc688c 99 # 1. http://www.ducea.com/2006/06/17/ubuntu-package-version-naming-explanation/
a64646e4
RA
100 ]
101 for regex in regexs:
102 mobj = re.match(regex, ver)
103 if mobj:
104 ver = mobj.group(1)
8a7f68d0 105 self._versions[prog] = self._version_cache[path] = ver
9af98e17 106 if prog != 'ffmpeg' or not out:
107 return
108
8913ef74 109 mobj = re.search(r'(?m)^\s+libavformat\s+(?:[0-9. ]+)\s+/\s+(?P<runtime>[0-9. ]+)', out)
110 lavf_runtime_version = mobj.group('runtime').replace(' ', '') if mobj else None
8a7f68d0 111 self._features = self._features_cache[path] = {
832e9000 112 'fdk': '--enable-libfdk-aac' in out,
113 'setts': 'setts' in out.splitlines(),
8913ef74 114 'needs_adtstoasc': is_outdated_version(lavf_runtime_version, '57.56.100', False),
832e9000 115 }
a64646e4 116
73fac4e9
PH
117 self.basename = None
118 self.probe_basename = None
73fac4e9
PH
119 self._paths = None
120 self._versions = None
9af98e17 121 self._features = {}
122
123 prefer_ffmpeg = self.get_param('prefer_ffmpeg', True)
124 location = self.get_param('ffmpeg_location')
125 if location is None:
126 self._paths = {p: p for p in programs}
127 else:
128 if not os.path.exists(location):
129 self.report_warning(
130 'ffmpeg-location %s does not exist! '
131 'Continuing without ffmpeg.' % (location))
132 self._versions = {}
133 return
134 elif os.path.isdir(location):
135 dirname, basename = location, None
136 else:
137 basename = os.path.splitext(os.path.basename(location))[0]
138 basename = next((p for p in programs if basename.startswith(p)), 'ffmpeg')
139 dirname = os.path.dirname(os.path.abspath(location))
140 if basename in ('ffmpeg', 'ffprobe'):
141 prefer_ffmpeg = True
142
86e5f3ed 143 self._paths = {
144 p: os.path.join(dirname, p) for p in programs}
9af98e17 145 if basename:
146 self._paths[basename] = location
147
148 self._versions = {}
8a7f68d0 149 executables = {'basename': ('ffmpeg', 'avconv'), 'probe_basename': ('ffprobe', 'avprobe')}
d4a24f40 150 if prefer_ffmpeg is False:
8a7f68d0 151 executables = {k: v[::-1] for k, v in executables.items()}
152 for var, prefs in executables.items():
153 for p in prefs:
154 get_ffmpeg_version(self._paths[p], p)
155 if self._versions[p]:
156 setattr(self, var, p)
157 break
73fac4e9 158
ee8dd27a 159 if self.basename == 'avconv':
160 self.deprecation_warning(
161 'Support for avconv is deprecated and may be removed in a future version. Use ffmpeg instead')
162 if self.probe_basename == 'avprobe':
163 self.deprecation_warning(
164 'Support for avprobe is deprecated and may be removed in a future version. Use ffprobe instead')
165
f740fae2 166 @property
73fac4e9
PH
167 def available(self):
168 return self.basename is not None
1a253e13 169
73fac4e9
PH
170 @property
171 def executable(self):
172 return self._paths[self.basename]
173
3da4b313
JMF
174 @property
175 def probe_available(self):
176 return self.probe_basename is not None
177
73fac4e9
PH
178 @property
179 def probe_executable(self):
180 return self._paths[self.probe_basename]
76b1bd67 181
397235c5 182 @staticmethod
183 def stream_copy_opts(copy=True, *, ext=None):
184 yield from ('-map', '0')
185 # Don't copy Apple TV chapters track, bin_data
186 # See https://github.com/yt-dlp/yt-dlp/issues/2, #19042, #19024, https://trac.ffmpeg.org/ticket/6016
5df1ac92 187 yield from ('-dn', '-ignore_unknown')
397235c5 188 if copy:
189 yield from ('-c', 'copy')
743f3975 190 if ext in ('mp4', 'mov', 'm4a'):
397235c5 191 yield from ('-c:s', 'mov_text')
192
30d9e209 193 def get_audio_codec(self, path):
eb35b163 194 if not self.probe_available and not self.available:
beb4b92a 195 raise PostProcessingError('ffprobe and ffmpeg not found. Please install or provide the path using --ffmpeg-location')
30d9e209 196 try:
eb35b163
RA
197 if self.probe_available:
198 cmd = [
199 encodeFilename(self.probe_executable, True),
200 encodeArgument('-show_streams')]
201 else:
202 cmd = [
203 encodeFilename(self.executable, True),
204 encodeArgument('-i')]
205 cmd.append(encodeFilename(self._ffmpeg_filename_argument(path), True))
86e5f3ed 206 self.write_debug(f'{self.basename} command line: {shell_quote(cmd)}')
d3c93ec2 207 handle = Popen(cmd, stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
208 stdout_data, stderr_data = handle.communicate_or_kill()
eb35b163
RA
209 expected_ret = 0 if self.probe_available else 1
210 if handle.wait() != expected_ret:
30d9e209 211 return None
86e5f3ed 212 except OSError:
30d9e209 213 return None
eb35b163
RA
214 output = (stdout_data if self.probe_available else stderr_data).decode('ascii', 'ignore')
215 if self.probe_available:
216 audio_codec = None
217 for line in output.split('\n'):
218 if line.startswith('codec_name='):
219 audio_codec = line.split('=')[1].strip()
220 elif line.strip() == 'codec_type=audio' and audio_codec is not None:
221 return audio_codec
222 else:
223 # Stream #FILE_INDEX:STREAM_INDEX[STREAM_ID](LANGUAGE): CODEC_TYPE: CODEC_NAME
224 mobj = re.search(
225 r'Stream\s*#\d+:\d+(?:\[0x[0-9a-f]+\])?(?:\([a-z]{3}\))?:\s*Audio:\s*([0-9a-z]+)',
226 output)
227 if mobj:
228 return mobj.group(1)
30d9e209
RA
229 return None
230
06167fbb 231 def get_metadata_object(self, path, opts=[]):
232 if self.probe_basename != 'ffprobe':
233 if self.probe_available:
234 self.report_warning('Only ffprobe is supported for metadata extraction')
beb4b92a 235 raise PostProcessingError('ffprobe not found. Please install or provide the path using --ffmpeg-location')
06167fbb 236 self.check_version()
237
238 cmd = [
239 encodeFilename(self.probe_executable, True),
240 encodeArgument('-hide_banner'),
241 encodeArgument('-show_format'),
242 encodeArgument('-show_streams'),
243 encodeArgument('-print_format'),
244 encodeArgument('json'),
245 ]
246
247 cmd += opts
248 cmd.append(encodeFilename(self._ffmpeg_filename_argument(path), True))
06869367 249 self.write_debug('ffprobe command line: %s' % shell_quote(cmd))
d3c93ec2 250 p = Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE, stdin=subprocess.PIPE)
06167fbb 251 stdout, stderr = p.communicate()
252 return json.loads(stdout.decode('utf-8', 'replace'))
253
254 def get_stream_number(self, path, keys, value):
255 streams = self.get_metadata_object(path)['streams']
256 num = next(
324ad820 257 (i for i, stream in enumerate(streams) if traverse_obj(stream, keys, casesense=False) == value),
06167fbb 258 None)
259 return num, len(streams)
260
5ce1d13e 261 def _get_real_video_duration(self, filepath, fatal=True):
165efb82 262 try:
5ce1d13e 263 duration = float_or_none(
264 traverse_obj(self.get_metadata_object(filepath), ('format', 'duration')))
265 if not duration:
165efb82 266 raise PostProcessingError('ffprobe returned empty duration')
5ce1d13e 267 return duration
165efb82 268 except PostProcessingError as e:
269 if fatal:
5ce1d13e 270 raise PostProcessingError(f'Unable to determine video duration: {e.msg}')
165efb82 271
272 def _duration_mismatch(self, d1, d2):
273 if not d1 or not d2:
274 return None
5ce1d13e 275 # The duration is often only known to nearest second. So there can be <1sec disparity natually.
276 # Further excuse an additional <1sec difference.
277 return abs(d1 - d2) > 2
165efb82 278
00034c14 279 def run_ffmpeg_multiple_files(self, input_paths, out_path, opts, **kwargs):
e92caff5 280 return self.real_run_ffmpeg(
281 [(path, []) for path in input_paths],
00034c14 282 [(out_path, opts)], **kwargs)
e92caff5 283
00034c14 284 def real_run_ffmpeg(self, input_path_opts, output_path_opts, *, expected_retcodes=(0,)):
48844745 285 self.check_version()
496c1923 286
52afb2ac 287 oldest_mtime = min(
7dde84f3 288 os.stat(encodeFilename(path)).st_mtime for path, _ in input_path_opts if path)
43bc8890 289
91b6c884 290 cmd = [encodeFilename(self.executable, True), encodeArgument('-y')]
ce52c7c1
S
291 # avconv does not have repeat option
292 if self.basename == 'ffmpeg':
293 cmd += [encodeArgument('-loglevel'), encodeArgument('repeat+info')]
5b1ecbb3 294
e92caff5 295 def make_args(file, args, name, number):
296 keys = ['_%s%d' % (name, number), '_%s' % name]
ca5db158 297 if name == 'o':
298 args += ['-movflags', '+faststart']
8eb4b1bb 299 if number == 1:
300 keys.append('')
e92caff5 301 args += self._configuration_args(self.basename, keys)
302 if name == 'i':
303 args.append('-i')
5b1ecbb3 304 return (
e92caff5 305 [encodeArgument(arg) for arg in args]
5b1ecbb3 306 + [encodeFilename(self._ffmpeg_filename_argument(file), True)])
307
e92caff5 308 for arg_type, path_opts in (('i', input_path_opts), ('o', output_path_opts)):
7dde84f3 309 cmd += itertools.chain.from_iterable(
310 make_args(path, list(opts), arg_type, i + 1)
311 for i, (path, opts) in enumerate(path_opts) if path)
496c1923 312
f446cc66 313 self.write_debug('ffmpeg command line: %s' % shell_quote(cmd))
d3c93ec2 314 p = Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE, stdin=subprocess.PIPE)
315 stdout, stderr = p.communicate_or_kill()
00034c14 316 if p.returncode not in variadic(expected_retcodes):
06167fbb 317 stderr = stderr.decode('utf-8', 'replace').strip()
b1940459 318 self.write_debug(stderr)
06167fbb 319 raise FFmpegPostProcessorError(stderr.split('\n')[-1])
e92caff5 320 for out_path, _ in output_path_opts:
7dde84f3 321 if out_path:
322 self.try_utime(out_path, oldest_mtime, oldest_mtime)
06167fbb 323 return stderr.decode('utf-8', 'replace')
cc55d088 324
00034c14 325 def run_ffmpeg(self, path, out_path, opts, **kwargs):
326 return self.run_ffmpeg_multiple_files([path], out_path, opts, **kwargs)
496c1923 327
7a340e0d
NA
328 @staticmethod
329 def _ffmpeg_filename_argument(fn):
8a7bbd16
JMF
330 # Always use 'file:' because the filename may contain ':' (ffmpeg
331 # interprets that as a protocol) or can start with '-' (-- is broken in
332 # ffmpeg, see https://ffmpeg.org/trac/ffmpeg/ticket/2127 for details)
b9f2fdd3 333 # Also leave '-' intact in order not to break streaming to stdout.
06167fbb 334 if fn.startswith(('http://', 'https://')):
335 return fn
d868f43c 336 return 'file:' + fn if fn != '-' else fn
496c1923 337
7a340e0d
NA
338 @staticmethod
339 def _quote_for_ffmpeg(string):
340 # See https://ffmpeg.org/ffmpeg-utils.html#toc-Quoting-and-escaping
341 # A sequence of '' produces '\'''\'';
342 # final replace removes the empty '' between \' \'.
343 string = string.replace("'", r"'\''").replace("'''", "'")
344 # Handle potential ' at string boundaries.
345 string = string[1:] if string[0] == "'" else "'" + string
346 return string[:-1] if string[-1] == "'" else string + "'"
347
348 def force_keyframes(self, filename, timestamps):
349 timestamps = orderedSet(timestamps)
350 if timestamps[0] == 0:
351 timestamps = timestamps[1:]
352 keyframe_file = prepend_extension(filename, 'keyframes.temp')
353 self.to_screen(f'Re-encoding "{filename}" with appropriate keyframes')
397235c5 354 self.run_ffmpeg(filename, keyframe_file, [
355 *self.stream_copy_opts(False, ext=determine_ext(filename)),
356 '-force_key_frames', ','.join(f'{t:.6f}' for t in timestamps)])
7a340e0d
NA
357 return keyframe_file
358
359 def concat_files(self, in_files, out_file, concat_opts=None):
360 """
361 Use concat demuxer to concatenate multiple files having identical streams.
362
363 Only inpoint, outpoint, and duration concat options are supported.
364 See https://ffmpeg.org/ffmpeg-formats.html#concat-1 for details
365 """
366 concat_file = f'{out_file}.concat'
367 self.write_debug(f'Writing concat spec to {concat_file}')
368 with open(concat_file, 'wt', encoding='utf-8') as f:
369 f.writelines(self._concat_spec(in_files, concat_opts))
370
397235c5 371 out_flags = list(self.stream_copy_opts(ext=determine_ext(out_file)))
7a340e0d 372
ae419aa9
NA
373 self.real_run_ffmpeg(
374 [(concat_file, ['-hide_banner', '-nostdin', '-f', 'concat', '-safe', '0'])],
375 [(out_file, out_flags)])
376 os.remove(concat_file)
7a340e0d
NA
377
378 @classmethod
379 def _concat_spec(cls, in_files, concat_opts=None):
380 if concat_opts is None:
381 concat_opts = [{}] * len(in_files)
382 yield 'ffconcat version 1.0\n'
383 for file, opts in zip(in_files, concat_opts):
384 yield f'file {cls._quote_for_ffmpeg(cls._ffmpeg_filename_argument(file))}\n'
385 # Iterate explicitly to yield the following directives in order, ignoring the rest.
386 for directive in 'inpoint', 'outpoint', 'duration':
387 if directive in opts:
388 yield f'{directive} {opts[directive]}\n'
389
496c1923
PH
390
391class FFmpegExtractAudioPP(FFmpegPostProcessor):
81a23040 392 COMMON_AUDIO_EXTS = ('wav', 'flac', 'm4a', 'aiff', 'mp3', 'ogg', 'mka', 'opus', 'wma')
d1b5f70b 393 SUPPORTED_EXTS = ('aac', 'flac', 'mp3', 'm4a', 'opus', 'vorbis', 'wav', 'alac')
1de75fa1 394
496c1923
PH
395 def __init__(self, downloader=None, preferredcodec=None, preferredquality=None, nopostoverwrites=False):
396 FFmpegPostProcessor.__init__(self, downloader)
81a23040 397 self._preferredcodec = preferredcodec or 'best'
31c49255 398 self._preferredquality = float_or_none(preferredquality)
496c1923
PH
399 self._nopostoverwrites = nopostoverwrites
400
31c49255 401 def _quality_args(self, codec):
402 if self._preferredquality is None:
403 return []
404 elif self._preferredquality > 10:
405 return ['-b:a', f'{self._preferredquality}k']
406
407 limits = {
408 'libmp3lame': (10, 0),
467b6b83 409 'libvorbis': (0, 10),
9af98e17 410 # FFmpeg's AAC encoder does not have an upper limit for the value of -q:a.
411 # Experimentally, with values over 4, bitrate changes were minimal or non-existent
412 'aac': (0.1, 4),
673c0057 413 'libfdk_aac': (1, 5),
39c04074 414 }.get(codec)
31c49255 415 if not limits:
416 return []
417
418 q = limits[1] + (limits[0] - limits[1]) * (self._preferredquality / 10)
673c0057
C
419 if codec == 'libfdk_aac':
420 return ['-vbr', f'{int(q)}']
31c49255 421 return ['-q:a', f'{q}']
422
496c1923 423 def run_ffmpeg(self, path, out_path, codec, more_opts):
496c1923
PH
424 if codec is None:
425 acodec_opts = []
426 else:
427 acodec_opts = ['-acodec', codec]
428 opts = ['-vn'] + acodec_opts + more_opts
429 try:
430 FFmpegPostProcessor.run_ffmpeg(self, path, out_path, opts)
431 except FFmpegPostProcessorError as err:
432 raise AudioConversionError(err.msg)
433
8326b00a 434 @PostProcessor._restrict_to(images=False)
496c1923 435 def run(self, information):
467b6b83 436 orig_path = path = information['filepath']
1de75fa1 437 orig_ext = information['ext']
438
81a23040 439 if self._preferredcodec == 'best' and orig_ext in self.COMMON_AUDIO_EXTS:
1de75fa1 440 self.to_screen('Skipping audio extraction since the file is already in a common audio format')
55b53b33 441 return [], information
496c1923
PH
442
443 filecodec = self.get_audio_codec(path)
444 if filecodec is None:
3aa578ca 445 raise PostProcessingError('WARNING: unable to obtain file audio codec with ffprobe')
496c1923
PH
446
447 more_opts = []
448 if self._preferredcodec == 'best' or self._preferredcodec == filecodec or (self._preferredcodec == 'm4a' and filecodec == 'aac'):
449 if filecodec == 'aac' and self._preferredcodec in ['m4a', 'best']:
450 # Lossless, but in another container
451 acodec = 'copy'
452 extension = 'm4a'
467d3c9a 453 more_opts = ['-bsf:a', 'aac_adtstoasc']
21bfcd3d 454 elif filecodec in ['aac', 'flac', 'mp3', 'vorbis', 'opus']:
496c1923
PH
455 # Lossless if possible
456 acodec = 'copy'
457 extension = filecodec
458 if filecodec == 'aac':
459 more_opts = ['-f', 'adts']
460 if filecodec == 'vorbis':
461 extension = 'ogg'
467b6b83 462 elif filecodec == 'alac':
463 acodec = None
464 extension = 'm4a'
465 more_opts += ['-acodec', 'alac']
496c1923
PH
466 else:
467 # MP3 otherwise.
468 acodec = 'libmp3lame'
469 extension = 'mp3'
31c49255 470 more_opts = self._quality_args(acodec)
496c1923 471 else:
21bfcd3d
PH
472 # We convert the audio (lossy if codec is lossy)
473 acodec = ACODECS[self._preferredcodec]
673c0057
C
474 if acodec == 'aac' and self._features.get('fdk'):
475 acodec = 'libfdk_aac'
496c1923 476 extension = self._preferredcodec
31c49255 477 more_opts = self._quality_args(acodec)
496c1923
PH
478 if self._preferredcodec == 'aac':
479 more_opts += ['-f', 'adts']
467b6b83 480 elif self._preferredcodec == 'm4a':
467d3c9a 481 more_opts += ['-bsf:a', 'aac_adtstoasc']
467b6b83 482 elif self._preferredcodec == 'vorbis':
496c1923 483 extension = 'ogg'
467b6b83 484 elif self._preferredcodec == 'wav':
496c1923
PH
485 extension = 'wav'
486 more_opts += ['-f', 'wav']
467b6b83 487 elif self._preferredcodec == 'alac':
488 extension = 'm4a'
489 more_opts += ['-acodec', 'alac']
496c1923 490
3aa578ca 491 prefix, sep, ext = path.rpartition('.') # not os.path.splitext, since the latter does not work on unicode in all setups
467b6b83 492 temp_path = new_path = prefix + sep + extension
496c1923 493
467b6b83 494 if new_path == path:
a44ca5a4 495 if acodec == 'copy':
496 self.to_screen(f'File is already in target format {self._preferredcodec}, skipping')
497 return [], information
467b6b83 498 orig_path = prepend_extension(path, 'orig')
499 temp_path = prepend_extension(path, 'temp')
500 if (self._nopostoverwrites and os.path.exists(encodeFilename(new_path))
501 and os.path.exists(encodeFilename(orig_path))):
1b77b347 502 self.to_screen('Post-process file %s exists, skipping' % new_path)
592e97e8 503 return [], information
496c1923
PH
504
505 try:
467b6b83 506 self.to_screen(f'Destination: {new_path}')
507 self.run_ffmpeg(path, temp_path, acodec, more_opts)
70a1165b
JMF
508 except AudioConversionError as e:
509 raise PostProcessingError(
510 'audio conversion failed: ' + e.msg)
511 except Exception:
512 raise PostProcessingError('error running ' + self.basename)
496c1923 513
467b6b83 514 os.replace(path, orig_path)
515 os.replace(temp_path, new_path)
516 information['filepath'] = new_path
517 information['ext'] = extension
518
496c1923
PH
519 # Try to update the date time for extracted audio file.
520 if information.get('filetime') is not None:
dd29eb7f
S
521 self.try_utime(
522 new_path, time.time(), information['filetime'],
523 errnote='Cannot update utime of audio file')
496c1923 524
467b6b83 525 return [orig_path], information
496c1923
PH
526
527
857f6313 528class FFmpegVideoConvertorPP(FFmpegPostProcessor):
5ca764c5 529 SUPPORTED_EXTS = ('mp4', 'mkv', 'flv', 'webm', 'mov', 'avi', 'mka', 'ogg', *FFmpegExtractAudioPP.SUPPORTED_EXTS)
81a23040 530 FORMAT_RE = re.compile(r'{0}(?:/{0})*$'.format(r'(?:\w+>)?(?:%s)' % '|'.join(SUPPORTED_EXTS)))
e6f21b3d 531 _ACTION = 'converting'
857f6313 532
efe87a10 533 def __init__(self, downloader=None, preferedformat=None):
86e5f3ed 534 super().__init__(downloader)
06167fbb 535 self._preferedformats = preferedformat.lower().split('/')
efe87a10 536
857f6313 537 def _target_ext(self, source_ext):
06167fbb 538 for pair in self._preferedformats:
539 kv = pair.split('>')
857f6313 540 if len(kv) == 1 or kv[0].strip() == source_ext:
541 return kv[-1].strip()
06167fbb 542
857f6313 543 @staticmethod
544 def _options(target_ext):
4a3175fc 545 yield from FFmpegPostProcessor.stream_copy_opts(False)
857f6313 546 if target_ext == 'avi':
4a3175fc 547 yield from ('-c:v', 'libxvid', '-vtag', 'XVID')
857f6313 548
8326b00a 549 @PostProcessor._restrict_to(images=False)
e6f21b3d 550 def run(self, info):
551 filename, source_ext = info['filepath'], info['ext'].lower()
81a23040 552 target_ext = self._target_ext(source_ext)
06167fbb 553 _skip_msg = (
e6f21b3d 554 f'could not find a mapping for {source_ext}' if not target_ext
555 else f'already is in target format {source_ext}' if source_ext == target_ext
06167fbb 556 else None)
557 if _skip_msg:
6970b600 558 self.to_screen(f'Not {self._ACTION} media file "{filename}"; {_skip_msg}')
e6f21b3d 559 return [], info
06167fbb 560
e6f21b3d 561 outpath = replace_extension(filename, target_ext, source_ext)
562 self.to_screen(f'{self._ACTION.title()} video from {source_ext} to {target_ext}; Destination: {outpath}')
563 self.run_ffmpeg(filename, outpath, self._options(target_ext))
857f6313 564
e6f21b3d 565 info['filepath'] = outpath
566 info['format'] = info['ext'] = target_ext
567 return [filename], info
efe87a10
FS
568
569
857f6313 570class FFmpegVideoRemuxerPP(FFmpegVideoConvertorPP):
e6f21b3d 571 _ACTION = 'remuxing'
496c1923 572
857f6313 573 @staticmethod
574 def _options(target_ext):
ed8d87f9 575 return FFmpegPostProcessor.stream_copy_opts()
496c1923
PH
576
577
578class FFmpegEmbedSubtitlePP(FFmpegPostProcessor):
66cf3e10 579 SUPPORTED_EXTS = ('mp4', 'mov', 'm4a', 'webm', 'mkv', 'mka')
580
cffab0ee 581 def __init__(self, downloader=None, already_have_subtitle=False):
86e5f3ed 582 super().__init__(downloader)
cffab0ee 583 self._already_have_subtitle = already_have_subtitle
584
8326b00a 585 @PostProcessor._restrict_to(images=False)
5ce1d13e 586 def run(self, info):
66cf3e10 587 if info['ext'] not in self.SUPPORTED_EXTS:
588 self.to_screen(f'Subtitles can only be embedded in {", ".join(self.SUPPORTED_EXTS)} files')
5ce1d13e 589 return [], info
590 subtitles = info.get('requested_subtitles')
c84dd8a9 591 if not subtitles:
1b77b347 592 self.to_screen('There aren\'t any subtitles to embed')
5ce1d13e 593 return [], info
496c1923 594
5ce1d13e 595 filename = info['filepath']
9bdd99cf 596
597 # Disabled temporarily. There needs to be a way to overide this
598 # in case of duration actually mismatching in extractor
599 # See: https://github.com/yt-dlp/yt-dlp/issues/1870, https://github.com/yt-dlp/yt-dlp/issues/1385
600 '''
5ce1d13e 601 if info.get('duration') and not info.get('__real_download') and self._duration_mismatch(
602 self._get_real_video_duration(filename, False), info['duration']):
165efb82 603 self.to_screen(f'Skipping {self.pp_key()} since the real and expected durations mismatch')
5ce1d13e 604 return [], info
9bdd99cf 605 '''
40025ee2 606
5ce1d13e 607 ext = info['ext']
2412044c 608 sub_langs, sub_names, sub_filenames = [], [], []
40025ee2 609 webm_vtt_warn = False
06167fbb 610 mp4_ass_warn = False
40025ee2
S
611
612 for lang, sub_info in subtitles.items():
a1c39673 613 if not os.path.exists(sub_info.get('filepath', '')):
8e25d624 614 self.report_warning(f'Skipping embedding {lang} subtitle because the file is missing')
615 continue
40025ee2 616 sub_ext = sub_info['ext']
503d4a44 617 if sub_ext == 'json':
06167fbb 618 self.report_warning('JSON subtitles cannot be embedded')
503d4a44 619 elif ext != 'webm' or ext == 'webm' and sub_ext == 'vtt':
40025ee2 620 sub_langs.append(lang)
2412044c 621 sub_names.append(sub_info.get('name'))
dcf64d43 622 sub_filenames.append(sub_info['filepath'])
40025ee2
S
623 else:
624 if not webm_vtt_warn and ext == 'webm' and sub_ext != 'vtt':
625 webm_vtt_warn = True
06167fbb 626 self.report_warning('Only WebVTT subtitles can be embedded in webm files')
627 if not mp4_ass_warn and ext == 'mp4' and sub_ext == 'ass':
628 mp4_ass_warn = True
629 self.report_warning('ASS subtitles cannot be properly embedded in mp4 files; expect issues')
40025ee2
S
630
631 if not sub_langs:
5ce1d13e 632 return [], info
40025ee2 633
14523ed9 634 input_files = [filename] + sub_filenames
496c1923 635
e205db3b 636 opts = [
397235c5 637 *self.stream_copy_opts(ext=info['ext']),
e205db3b
JMF
638 # Don't copy the existing subtitles, we may be running the
639 # postprocessor a second time
640 '-map', '-0:s',
641 ]
2412044c 642 for i, (lang, name) in enumerate(zip(sub_langs, sub_names)):
2875cf01 643 opts.extend(['-map', '%d:0' % (i + 1)])
04fb6928
S
644 lang_code = ISO639Utils.short2long(lang) or lang
645 opts.extend(['-metadata:s:s:%d' % i, 'language=%s' % lang_code])
2412044c 646 if name:
647 opts.extend(['-metadata:s:s:%d' % i, 'handler_name=%s' % name,
648 '-metadata:s:s:%d' % i, 'title=%s' % name])
496c1923 649
2875cf01 650 temp_filename = prepend_extension(filename, 'temp')
06167fbb 651 self.to_screen('Embedding subtitles in "%s"' % filename)
496c1923 652 self.run_ffmpeg_multiple_files(input_files, temp_filename, opts)
d75201a8 653 os.replace(temp_filename, filename)
496c1923 654
cffab0ee 655 files_to_delete = [] if self._already_have_subtitle else sub_filenames
5ce1d13e 656 return files_to_delete, info
496c1923
PH
657
658
659class FFmpegMetadataPP(FFmpegPostProcessor):
7dde84f3 660
dac5df5a 661 def __init__(self, downloader, add_metadata=True, add_chapters=True, add_infojson='if_exists'):
7a340e0d
NA
662 FFmpegPostProcessor.__init__(self, downloader)
663 self._add_metadata = add_metadata
664 self._add_chapters = add_chapters
dac5df5a 665 self._add_infojson = add_infojson
7a340e0d 666
7dde84f3 667 @staticmethod
668 def _options(target_ext):
397235c5 669 audio_only = target_ext == 'm4a'
ed8d87f9 670 yield from FFmpegPostProcessor.stream_copy_opts(not audio_only)
397235c5 671 if audio_only:
7dde84f3 672 yield from ('-vn', '-acodec', 'copy')
7dde84f3 673
8326b00a 674 @PostProcessor._restrict_to(images=False)
496c1923 675 def run(self, info):
7a340e0d 676 filename, metadata_filename = info['filepath'], None
dac5df5a 677 files_to_delete, options = [], []
7a340e0d
NA
678 if self._add_chapters and info.get('chapters'):
679 metadata_filename = replace_extension(filename, 'meta')
680 options.extend(self._get_chapter_opts(info['chapters'], metadata_filename))
dac5df5a 681 files_to_delete.append(metadata_filename)
7a340e0d
NA
682 if self._add_metadata:
683 options.extend(self._get_metadata_opts(info))
684
dac5df5a 685 if self._add_infojson:
686 if info['ext'] in ('mkv', 'mka'):
687 infojson_filename = info.get('infojson_filename')
688 options.extend(self._get_infojson_opts(info, infojson_filename))
689 if not infojson_filename:
690 files_to_delete.append(info.get('infojson_filename'))
691 elif self._add_infojson is True:
692 self.to_screen('The info-json can only be attached to mkv/mka files')
693
7a340e0d
NA
694 if not options:
695 self.to_screen('There isn\'t any metadata to add')
696 return [], info
697
698 temp_filename = prepend_extension(filename, 'temp')
699 self.to_screen('Adding metadata to "%s"' % filename)
700 self.run_ffmpeg_multiple_files(
701 (filename, metadata_filename), temp_filename,
702 itertools.chain(self._options(info['ext']), *options))
dac5df5a 703 for file in filter(None, files_to_delete):
704 os.remove(file) # Don't obey --keep-files
7a340e0d
NA
705 os.replace(temp_filename, filename)
706 return [], info
707
708 @staticmethod
709 def _get_chapter_opts(chapters, metadata_filename):
86e5f3ed 710 with open(metadata_filename, 'wt', encoding='utf-8') as f:
7a340e0d
NA
711 def ffmpeg_escape(text):
712 return re.sub(r'([\\=;#\n])', r'\\\1', text)
713
714 metadata_file_content = ';FFMETADATA1\n'
715 for chapter in chapters:
716 metadata_file_content += '[CHAPTER]\nTIMEBASE=1/1000\n'
717 metadata_file_content += 'START=%d\n' % (chapter['start_time'] * 1000)
718 metadata_file_content += 'END=%d\n' % (chapter['end_time'] * 1000)
719 chapter_title = chapter.get('title')
720 if chapter_title:
721 metadata_file_content += 'title=%s\n' % ffmpeg_escape(chapter_title)
722 f.write(metadata_file_content)
723 yield ('-map_metadata', '1')
724
725 def _get_metadata_opts(self, info):
88968992 726 meta_prefix = 'meta'
727 metadata = collections.defaultdict(dict)
4bd143a3
S
728
729 def add(meta_list, info_list=None):
b11d2101 730 value = next((
88968992 731 str(info[key]) for key in [f'{meta_prefix}_'] + list(variadic(info_list or meta_list))
b11d2101 732 if info.get(key) is not None), None)
733 if value not in ('', None):
5a727063 734 value = value.replace('\0', '') # nul character cannot be passed in command line
88968992 735 metadata['common'].update({meta_f: value for meta_f in variadic(meta_list)})
4bd143a3 736
2791e80b
S
737 # See [1-4] for some info on media metadata/metadata supported
738 # by ffmpeg.
739 # 1. https://kdenlive.org/en/project/adding-meta-data-to-mp4-video/
740 # 2. https://wiki.multimedia.cx/index.php/FFmpeg_Metadata
741 # 3. https://kodi.wiki/view/Video_file_tagging
2791e80b 742
4bd143a3
S
743 add('title', ('track', 'title'))
744 add('date', 'upload_date')
cd9b384c 745 add(('description', 'synopsis'), 'description')
746 add(('purl', 'comment'), 'webpage_url')
4bd143a3
S
747 add('track', 'track_number')
748 add('artist', ('artist', 'creator', 'uploader', 'uploader_id'))
749 add('genre')
750 add('album')
751 add('album_artist')
752 add('disc', 'disc_number')
2791e80b
S
753 add('show', 'series')
754 add('season_number')
755 add('episode_id', ('episode', 'episode_id'))
756 add('episode_sort', 'episode_number')
f279aaee 757 if 'embed-metadata' in self.get_param('compat_opts', []):
758 add('comment', 'description')
88968992 759 metadata['common'].pop('synopsis', None)
496c1923 760
88968992 761 meta_regex = rf'{re.escape(meta_prefix)}(?P<i>\d+)?_(?P<key>.+)'
b11d2101 762 for key, value in info.items():
88968992 763 mobj = re.fullmatch(meta_regex, key)
764 if value is not None and mobj:
765 metadata[mobj.group('i') or 'common'][mobj.group('key')] = value
84601bb7 766
22fba53f 767 # Write id3v1 metadata also since Windows Explorer can't handle id3v2 tags
768 yield ('-write_id3v1', '1')
769
88968992 770 for name, value in metadata['common'].items():
7a340e0d 771 yield ('-metadata', f'{name}={value}')
39c68260 772
7dde84f3 773 stream_idx = 0
774 for fmt in info.get('requested_formats') or []:
775 stream_count = 2 if 'none' not in (fmt.get('vcodec'), fmt.get('acodec')) else 1
61e9d926 776 lang = ISO639Utils.short2long(fmt.get('language') or '') or fmt.get('language')
88968992 777 for i in range(stream_idx, stream_idx + stream_count):
778 if lang:
779 metadata[str(i)].setdefault('language', lang)
780 for name, value in metadata[str(i)].items():
781 yield (f'-metadata:s:{i}', f'{name}={value}')
7dde84f3 782 stream_idx += stream_count
496c1923 783
dac5df5a 784 def _get_infojson_opts(self, info, infofn):
785 if not infofn or not os.path.exists(infofn):
786 if self._add_infojson is not True:
787 return
788 infofn = infofn or '%s.temp' % (
789 self._downloader.prepare_filename(info, 'infojson')
790 or replace_extension(self._downloader.prepare_filename(info), 'info.json', info['ext']))
791 if not self._downloader._ensure_dir_exists(infofn):
792 return
793 self.write_debug(f'Writing info-json to: {infofn}')
794 write_json_file(self._downloader.sanitize_info(info, self.get_param('clean_infojson', True)), infofn)
795 info['infojson_filename'] = infofn
796
797 old_stream, new_stream = self.get_stream_number(info['filepath'], ('tags', 'mimetype'), 'application/json')
798 if old_stream is not None:
799 yield ('-map', '-0:%d' % old_stream)
800 new_stream -= 1
06167fbb 801
dac5df5a 802 yield ('-attach', infofn,
803 '-metadata:s:%d' % new_stream, 'mimetype=application/json')
496c1923
PH
804
805
806class FFmpegMergerPP(FFmpegPostProcessor):
8326b00a 807 @PostProcessor._restrict_to(images=False)
496c1923
PH
808 def run(self, info):
809 filename = info['filepath']
5b5fbc08 810 temp_filename = prepend_extension(filename, 'temp')
d03cfdce 811 args = ['-c', 'copy']
50eff38c 812 audio_streams = 0
d03cfdce 813 for (i, fmt) in enumerate(info['requested_formats']):
814 if fmt.get('acodec') != 'none':
a21e0ab1 815 args.extend(['-map', f'{i}:a:0'])
9dda99f2 816 aac_fixup = fmt['protocol'].startswith('m3u8') and self.get_audio_codec(fmt['filepath']) == 'aac'
817 if aac_fixup:
50eff38c 818 args.extend([f'-bsf:a:{audio_streams}', 'aac_adtstoasc'])
819 audio_streams += 1
d03cfdce 820 if fmt.get('vcodec') != 'none':
821 args.extend(['-map', '%u:v:0' % (i)])
1b77b347 822 self.to_screen('Merging formats into "%s"' % filename)
5b5fbc08
JMF
823 self.run_ffmpeg_multiple_files(info['__files_to_merge'], temp_filename, args)
824 os.rename(encodeFilename(temp_filename), encodeFilename(filename))
d47aeb22 825 return info['__files_to_merge'], info
496c1923 826
13763ce5
S
827 def can_merge(self):
828 # TODO: figure out merge-capable ffmpeg version
829 if self.basename != 'avconv':
830 return True
831
832 required_version = '10-0'
833 if is_outdated_version(
834 self._versions[self.basename], required_version):
835 warning = ('Your copy of %s is outdated and unable to properly mux separate video and audio files, '
7a5c1cfe 836 'yt-dlp will download single file media. '
13763ce5
S
837 'Update %s to version %s or newer to fix this.') % (
838 self.basename, self.basename, required_version)
f446cc66 839 self.report_warning(warning)
13763ce5
S
840 return False
841 return True
842
0c14e2fb 843
fd7cfb64 844class FFmpegFixupPostProcessor(FFmpegPostProcessor):
845 def _fixup(self, msg, filename, options):
6271f1ca
PH
846 temp_filename = prepend_extension(filename, 'temp')
847
f89b3e2d 848 self.to_screen(f'{msg} of "{filename}"')
6271f1ca
PH
849 self.run_ffmpeg(filename, temp_filename, options)
850
d75201a8 851 os.replace(temp_filename, filename)
6271f1ca 852
fd7cfb64 853
854class FFmpegFixupStretchedPP(FFmpegFixupPostProcessor):
855 @PostProcessor._restrict_to(images=False, audio=False)
856 def run(self, info):
857 stretched_ratio = info.get('stretched_ratio')
858 if stretched_ratio not in (None, 1):
859 self._fixup('Fixing aspect ratio', info['filepath'], [
397235c5 860 *self.stream_copy_opts(), '-aspect', '%f' % stretched_ratio])
592e97e8 861 return [], info
62cd676c
PH
862
863
fd7cfb64 864class FFmpegFixupM4aPP(FFmpegFixupPostProcessor):
8326b00a 865 @PostProcessor._restrict_to(images=False, video=False)
62cd676c 866 def run(self, info):
fd7cfb64 867 if info.get('container') == 'm4a_dash':
397235c5 868 self._fixup('Correcting container', info['filepath'], [*self.stream_copy_opts(), '-f', 'mp4'])
592e97e8 869 return [], info
e9fade72
JMF
870
871
fd7cfb64 872class FFmpegFixupM3u8PP(FFmpegFixupPostProcessor):
e04b003e 873 def _needs_fixup(self, info):
874 yield info['ext'] in ('mp4', 'm4a')
875 yield info['protocol'].startswith('m3u8')
876 try:
877 metadata = self.get_metadata_object(info['filepath'])
878 except PostProcessingError as e:
879 self.report_warning(f'Unable to extract metadata: {e.msg}')
880 yield True
881 else:
882 yield traverse_obj(metadata, ('format', 'format_name'), casesense=False) == 'mpegts'
883
8326b00a 884 @PostProcessor._restrict_to(images=False)
f17f8651 885 def run(self, info):
e04b003e 886 if all(self._needs_fixup(info)):
887 self._fixup('Fixing MPEG-TS in MP4 container', info['filepath'], [
397235c5 888 *self.stream_copy_opts(), '-f', 'mp4', '-bsf:a', 'aac_adtstoasc'])
f17f8651 889 return [], info
890
891
e36d50c5 892class FFmpegFixupTimestampPP(FFmpegFixupPostProcessor):
893
894 def __init__(self, downloader=None, trim=0.001):
895 # "trim" should be used when the video contains unintended packets
86e5f3ed 896 super().__init__(downloader)
e36d50c5 897 assert isinstance(trim, (int, float))
898 self.trim = str(trim)
899
900 @PostProcessor._restrict_to(images=False)
901 def run(self, info):
832e9000 902 if not self._features.get('setts'):
e36d50c5 903 self.report_warning(
904 'A re-encode is needed to fix timestamps in older versions of ffmpeg. '
832e9000 905 'Please install ffmpeg 4.4 or later to fixup without re-encoding')
e36d50c5 906 opts = ['-vf', 'setpts=PTS-STARTPTS']
907 else:
908 opts = ['-c', 'copy', '-bsf', 'setts=ts=TS-STARTPTS']
397235c5 909 self._fixup('Fixing frame timestamp', info['filepath'], opts + [*self.stream_copy_opts(False), '-ss', self.trim])
e36d50c5 910 return [], info
911
912
6970b600 913class FFmpegCopyStreamPP(FFmpegFixupPostProcessor):
adbc4ec4
THD
914 MESSAGE = 'Copying stream'
915
e36d50c5 916 @PostProcessor._restrict_to(images=False)
917 def run(self, info):
397235c5 918 self._fixup(self.MESSAGE, info['filepath'], self.stream_copy_opts())
e36d50c5 919 return [], info
920
921
6970b600 922class FFmpegFixupDurationPP(FFmpegCopyStreamPP):
adbc4ec4
THD
923 MESSAGE = 'Fixing video duration'
924
925
6970b600 926class FFmpegFixupDuplicateMoovPP(FFmpegCopyStreamPP):
adbc4ec4
THD
927 MESSAGE = 'Fixing duplicate MOOV atoms'
928
929
e9fade72 930class FFmpegSubtitlesConvertorPP(FFmpegPostProcessor):
81a23040 931 SUPPORTED_EXTS = ('srt', 'vtt', 'ass', 'lrc')
932
e9fade72 933 def __init__(self, downloader=None, format=None):
86e5f3ed 934 super().__init__(downloader)
e9fade72
JMF
935 self.format = format
936
937 def run(self, info):
938 subs = info.get('requested_subtitles')
e9fade72
JMF
939 new_ext = self.format
940 new_format = new_ext
941 if new_format == 'vtt':
942 new_format = 'webvtt'
943 if subs is None:
1b77b347 944 self.to_screen('There aren\'t any subtitles to convert')
592e97e8 945 return [], info
1b77b347 946 self.to_screen('Converting subtitles')
e04398e3 947 sub_filenames = []
e9fade72 948 for lang, sub in subs.items():
a1c39673 949 if not os.path.exists(sub.get('filepath', '')):
950 self.report_warning(f'Skipping embedding {lang} subtitle because the file is missing')
951 continue
e9fade72
JMF
952 ext = sub['ext']
953 if ext == new_ext:
1b77b347 954 self.to_screen('Subtitle file for %s is already in the requested format' % new_ext)
e9fade72 955 continue
503d4a44 956 elif ext == 'json':
1b77b347 957 self.to_screen(
958 'You have requested to convert json subtitles into another format, '
503d4a44 959 'which is currently not possible')
960 continue
dcf64d43 961 old_file = sub['filepath']
e04398e3 962 sub_filenames.append(old_file)
dcf64d43 963 new_file = replace_extension(old_file, new_ext)
bf6427d2 964
40fcba5e 965 if ext in ('dfxp', 'ttml', 'tt'):
f446cc66 966 self.report_warning(
1b77b347 967 'You have requested to convert dfxp (TTML) subtitles into another format, '
bf6427d2
YCH
968 'which results in style information loss')
969
e04398e3 970 dfxp_file = old_file
dcf64d43 971 srt_file = replace_extension(old_file, 'srt')
bf6427d2 972
3869028f 973 with open(dfxp_file, 'rb') as f:
bf6427d2
YCH
974 srt_data = dfxp2srt(f.read())
975
86e5f3ed 976 with open(srt_file, 'wt', encoding='utf-8') as f:
bf6427d2 977 f.write(srt_data)
7e62c2eb 978 old_file = srt_file
bf6427d2 979
bf6427d2
YCH
980 subs[lang] = {
981 'ext': 'srt',
dcf64d43 982 'data': srt_data,
983 'filepath': srt_file,
bf6427d2
YCH
984 }
985
986 if new_ext == 'srt':
987 continue
7b8b007c
JMF
988 else:
989 sub_filenames.append(srt_file)
bf6427d2 990
e04398e3 991 self.run_ffmpeg(old_file, new_file, ['-f', new_format])
e9fade72 992
86e5f3ed 993 with open(new_file, encoding='utf-8') as f:
e9fade72 994 subs[lang] = {
3547d265 995 'ext': new_ext,
e9fade72 996 'data': f.read(),
dcf64d43 997 'filepath': new_file,
e9fade72
JMF
998 }
999
dcf64d43 1000 info['__files_to_move'][new_file] = replace_extension(
37242e56 1001 info['__files_to_move'][sub['filepath']], new_ext)
dcf64d43 1002
e04398e3 1003 return sub_filenames, info
72755351 1004
1005
1006class FFmpegSplitChaptersPP(FFmpegPostProcessor):
7a340e0d
NA
1007 def __init__(self, downloader, force_keyframes=False):
1008 FFmpegPostProcessor.__init__(self, downloader)
1009 self._force_keyframes = force_keyframes
72755351 1010
1011 def _prepare_filename(self, number, chapter, info):
1012 info = info.copy()
1013 info.update({
1014 'section_number': number,
1015 'section_title': chapter.get('title'),
1016 'section_start': chapter.get('start_time'),
1017 'section_end': chapter.get('end_time'),
1018 })
1019 return self._downloader.prepare_filename(info, 'chapter')
1020
1021 def _ffmpeg_args_for_chapter(self, number, chapter, info):
1022 destination = self._prepare_filename(number, chapter, info)
1023 if not self._downloader._ensure_dir_exists(encodeFilename(destination)):
1024 return
1025
dcf64d43 1026 chapter['filepath'] = destination
72755351 1027 self.to_screen('Chapter %03d; Destination: %s' % (number, destination))
1028 return (
1029 destination,
1030 ['-ss', compat_str(chapter['start_time']),
a94bfd6c 1031 '-t', compat_str(chapter['end_time'] - chapter['start_time'])])
72755351 1032
8326b00a 1033 @PostProcessor._restrict_to(images=False)
72755351 1034 def run(self, info):
1035 chapters = info.get('chapters') or []
1036 if not chapters:
7a340e0d 1037 self.to_screen('Chapter information is unavailable')
72755351 1038 return [], info
1039
7a340e0d
NA
1040 in_file = info['filepath']
1041 if self._force_keyframes and len(chapters) > 1:
1042 in_file = self.force_keyframes(in_file, (c['start_time'] for c in chapters))
72755351 1043 self.to_screen('Splitting video by chapters; %d chapters found' % len(chapters))
1044 for idx, chapter in enumerate(chapters):
1045 destination, opts = self._ffmpeg_args_for_chapter(idx + 1, chapter, info)
397235c5 1046 self.real_run_ffmpeg([(in_file, opts)], [(destination, self.stream_copy_opts())])
7a340e0d
NA
1047 if in_file != info['filepath']:
1048 os.remove(in_file)
72755351 1049 return [], info
8fa43c73 1050
1051
1052class FFmpegThumbnailsConvertorPP(FFmpegPostProcessor):
72073451 1053 SUPPORTED_EXTS = ('jpg', 'png', 'webp')
81a23040 1054
8fa43c73 1055 def __init__(self, downloader=None, format=None):
86e5f3ed 1056 super().__init__(downloader)
8fa43c73 1057 self.format = format
1058
1059 @staticmethod
1060 def is_webp(path):
1061 with open(encodeFilename(path), 'rb') as f:
1062 b = f.read(12)
1063 return b[0:4] == b'RIFF' and b[8:] == b'WEBP'
1064
1065 def fixup_webp(self, info, idx=-1):
1066 thumbnail_filename = info['thumbnails'][idx]['filepath']
1067 _, thumbnail_ext = os.path.splitext(thumbnail_filename)
1068 if thumbnail_ext:
1069 thumbnail_ext = thumbnail_ext[1:].lower()
1070 if thumbnail_ext != 'webp' and self.is_webp(thumbnail_filename):
1071 self.to_screen('Correcting thumbnail "%s" extension to webp' % thumbnail_filename)
1072 webp_filename = replace_extension(thumbnail_filename, 'webp')
d75201a8 1073 os.replace(thumbnail_filename, webp_filename)
8fa43c73 1074 info['thumbnails'][idx]['filepath'] = webp_filename
1075 info['__files_to_move'][webp_filename] = replace_extension(
1076 info['__files_to_move'].pop(thumbnail_filename), 'webp')
1077
81a23040 1078 @staticmethod
1079 def _options(target_ext):
1080 if target_ext == 'jpg':
1081 return ['-bsf:v', 'mjpeg2jpeg']
1082 return []
1083
1084 def convert_thumbnail(self, thumbnail_filename, target_ext):
81a23040 1085 thumbnail_conv_filename = replace_extension(thumbnail_filename, target_ext)
337e0c62 1086
86e5f3ed 1087 self.to_screen(f'Converting thumbnail "{thumbnail_filename}" to {target_ext}')
337e0c62 1088 self.real_run_ffmpeg(
1089 [(thumbnail_filename, ['-f', 'image2', '-pattern_type', 'none'])],
1090 [(thumbnail_conv_filename.replace('%', '%%'), self._options(target_ext))])
a927acb1 1091 return thumbnail_conv_filename
8fa43c73 1092
1093 def run(self, info):
8fa43c73 1094 files_to_delete = []
1095 has_thumbnail = False
1096
6a176775 1097 for idx, thumbnail_dict in enumerate(info.get('thumbnails') or []):
1098 original_thumbnail = thumbnail_dict.get('filepath')
1099 if not original_thumbnail:
8fa43c73 1100 continue
1101 has_thumbnail = True
1102 self.fixup_webp(info, idx)
8fa43c73 1103 _, thumbnail_ext = os.path.splitext(original_thumbnail)
1104 if thumbnail_ext:
1105 thumbnail_ext = thumbnail_ext[1:].lower()
15a4fd53 1106 if thumbnail_ext == 'jpeg':
1107 thumbnail_ext = 'jpg'
8fa43c73 1108 if thumbnail_ext == self.format:
1109 self.to_screen('Thumbnail "%s" is already in the requested format' % original_thumbnail)
1110 continue
1111 thumbnail_dict['filepath'] = self.convert_thumbnail(original_thumbnail, self.format)
1112 files_to_delete.append(original_thumbnail)
1113 info['__files_to_move'][thumbnail_dict['filepath']] = replace_extension(
1114 info['__files_to_move'][original_thumbnail], self.format)
1115
1116 if not has_thumbnail:
1117 self.to_screen('There aren\'t any thumbnails to convert')
1118 return files_to_delete, info
3b603dbd 1119
1120
1121class FFmpegConcatPP(FFmpegPostProcessor):
1122 def __init__(self, downloader, only_multi_video=False):
1123 self._only_multi_video = only_multi_video
1124 super().__init__(downloader)
1125
a44ca5a4 1126 def _get_codecs(self, file):
1127 codecs = traverse_obj(self.get_metadata_object(file), ('streams', ..., 'codec_name'))
1128 self.write_debug(f'Codecs = {", ".join(codecs)}')
1129 return tuple(codecs)
1130
3b603dbd 1131 def concat_files(self, in_files, out_file):
5cf34021 1132 if not self._downloader._ensure_dir_exists(out_file):
1133 return
3b603dbd 1134 if len(in_files) == 1:
6970b600 1135 if os.path.realpath(in_files[0]) != os.path.realpath(out_file):
1136 self.to_screen(f'Moving "{in_files[0]}" to "{out_file}"')
3b603dbd 1137 os.replace(in_files[0], out_file)
6970b600 1138 return []
3b603dbd 1139
a44ca5a4 1140 if len(set(map(self._get_codecs, in_files))) > 1:
3b603dbd 1141 raise PostProcessingError(
1142 'The files have different streams/codecs and cannot be concatenated. '
1143 'Either select different formats or --recode-video them to a common format')
6970b600 1144
1145 self.to_screen(f'Concatenating {len(in_files)} files; Destination: {out_file}')
3b603dbd 1146 super().concat_files(in_files, out_file)
6970b600 1147 return in_files
3b603dbd 1148
ed66a17e 1149 @PostProcessor._restrict_to(images=False, simulated=False)
3b603dbd 1150 def run(self, info):
460a1c08 1151 entries = info.get('entries') or []
ed66a17e 1152 if not any(entries) or (self._only_multi_video and info['_type'] != 'multi_video'):
3b603dbd 1153 return [], info
a44ca5a4 1154 elif traverse_obj(entries, (..., 'requested_downloads', lambda _, v: len(v) > 1)):
3b603dbd 1155 raise PostProcessingError('Concatenation is not supported when downloading multiple separate formats')
1156
ed66a17e 1157 in_files = traverse_obj(entries, (..., 'requested_downloads', 0, 'filepath')) or []
460a1c08 1158 if len(in_files) < len(entries):
1159 raise PostProcessingError('Aborting concatenation because some downloads failed')
3b603dbd 1160
1161 ie_copy = self._downloader._playlist_infodict(info)
460a1c08 1162 exts = traverse_obj(entries, (..., 'requested_downloads', 0, 'ext'), (..., 'ext'))
3b603dbd 1163 ie_copy['ext'] = exts[0] if len(set(exts)) == 1 else 'mkv'
1164 out_file = self._downloader.prepare_filename(ie_copy, 'pl_video')
1165
6970b600 1166 files_to_delete = self.concat_files(in_files, out_file)
3b603dbd 1167
1168 info['requested_downloads'] = [{
1169 'filepath': out_file,
1170 'ext': ie_copy['ext'],
1171 }]
6970b600 1172 return files_to_delete, info