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