11 from .compat
import compat_expanduser
12 from .cookies
import SUPPORTED_BROWSERS
, SUPPORTED_KEYRINGS
13 from .downloader
.external
import list_external_downloaders
14 from .postprocessor
import (
17 FFmpegSubtitlesConvertorPP
,
18 FFmpegThumbnailsConvertorPP
,
22 from .postprocessor
.modify_chapters
import DEFAULT_SPONSORBLOCK_CHAPTER_TITLE
23 from .update
import UPDATE_SOURCES
, detect_variant
, is_non_updateable
32 get_system_config_dirs
,
35 orderedSet_from_options
,
40 from .version
import CHANNEL
, __version__
43 def parseOpts(overrideArguments
=None, ignore_config_files
='if_override'): # noqa: N803
44 PACKAGE_NAME
= 'yt-dlp'
46 root
= Config(create_parser())
47 if ignore_config_files
== 'if_override':
48 ignore_config_files
= overrideArguments
is not None
50 def read_config(*paths
):
51 path
= os
.path
.join(*paths
)
52 conf
= Config
.read_file(path
, default
=None)
56 def _load_from_config_dirs(config_dirs
):
57 for config_dir
in config_dirs
:
58 head
, tail
= os
.path
.split(config_dir
)
59 assert tail
== PACKAGE_NAME
or config_dir
== os
.path
.join(compat_expanduser('~'), f
'.{PACKAGE_NAME}')
61 yield read_config(head
, f
'{PACKAGE_NAME}.conf')
62 if tail
.startswith('.'): # ~/.PACKAGE_NAME
63 yield read_config(head
, f
'{PACKAGE_NAME}.conf.txt')
64 yield read_config(config_dir
, 'config')
65 yield read_config(config_dir
, 'config.txt')
67 def add_config(label
, path
=None, func
=None):
68 """ Adds config and returns whether to continue """
69 if root
.parse_known_args()[0].ignoreconfig
:
73 args
, current_path
= next(
74 filter(None, _load_from_config_dirs(func(PACKAGE_NAME
))), (None, None))
76 current_path
= os
.path
.join(path
, 'yt-dlp.conf')
77 args
= Config
.read_file(current_path
, default
=None)
79 root
.append_config(args
, current_path
, label
=label
)
83 yield not ignore_config_files
84 yield add_config('Portable', get_executable_path())
85 yield add_config('Home', expand_path(root
.parse_known_args()[0].paths
.get('home', '')).strip())
86 yield add_config('User', func
=get_user_config_dirs
)
87 yield add_config('System', func
=get_system_config_dirs
)
89 opts
= optparse
.Values({'verbose': True, 'print_help': False})
92 if overrideArguments
is not None:
93 root
.append_config(overrideArguments
, label
='Override')
95 root
.append_config(sys
.argv
[1:], label
='Command-line')
96 loaded_all_configs
= all(load_configs())
97 except ValueError as err
:
98 raise root
.parser
.error(err
)
100 if loaded_all_configs
:
101 # If ignoreconfig is found inside the system configuration file,
102 # the user configuration is removed
103 if root
.parse_known_args()[0].ignoreconfig
:
104 user_conf
= next((i
for i
, conf
in enumerate(root
.configs
) if conf
.label
== 'User'), None)
105 if user_conf
is not None:
106 root
.configs
.pop(user_conf
)
109 root
.configs
[0].load_configs() # Resolve any aliases using --config-location
110 except ValueError as err
:
111 raise root
.parser
.error(err
)
113 opts
, args
= root
.parse_args()
114 except optparse
.OptParseError
:
115 with contextlib
.suppress(optparse
.OptParseError
):
116 opts
, _
= root
.parse_known_args(strict
=False)
118 except (SystemExit, KeyboardInterrupt):
122 verbose
= opts
.verbose
and f
'\n{root}'.replace('\n| ', '\n[debug] ')[1:]
124 write_string(f
'{verbose}\n')
128 root
.parser
.print_help()
131 return root
.parser
, opts
, args
134 class _YoutubeDLHelpFormatter(optparse
.IndentedHelpFormatter
):
136 # No need to wrap help messages if we're on a wide console
137 max_width
= shutil
.get_terminal_size().columns
or 80
138 # The % is chosen to get a pretty output in README.md
139 super().__init
__(width
=max_width
, max_help_position
=int(0.45 * max_width
))
142 def format_option_strings(option
):
143 """ ('-o', '--option') -> -o, --format METAVAR """
144 opts
= join_nonempty(
145 option
._short
_opts
and option
._short
_opts
[0],
146 option
._long
_opts
and option
._long
_opts
[0],
148 if option
.takes_value():
149 opts
+= f
' {option.metavar}'
153 class _YoutubeDLOptionParser(optparse
.OptionParser
):
154 # optparse is deprecated since Python 3.2. So assume a stable interface even for private methods
155 ALIAS_DEST
= '_triggered_aliases'
156 ALIAS_TRIGGER_LIMIT
= 100
160 prog
='yt-dlp' if detect_variant() == 'source' else None,
162 usage
='%prog [OPTIONS] URL [URL...]',
163 epilog
='See full documentation at https://github.com/yt-dlp/yt-dlp#readme',
164 formatter
=_YoutubeDLHelpFormatter(),
165 conflict_handler
='resolve',
167 self
.set_default(self
.ALIAS_DEST
, collections
.defaultdict(int))
169 _UNKNOWN_OPTION
= (optparse
.BadOptionError
, optparse
.AmbiguousOptionError
)
170 _BAD_OPTION
= optparse
.OptionValueError
172 def parse_known_args(self
, args
=None, values
=None, strict
=True):
173 """Same as parse_args, but ignore unknown switches. Similar to argparse.parse_known_args"""
174 self
.rargs
, self
.largs
= self
._get
_args
(args
), []
175 self
.values
= values
or self
.get_default_values()
182 elif arg
.startswith('--'):
183 self
._process
_long
_opt
(self
.rargs
, self
.values
)
184 elif arg
.startswith('-') and arg
!= '-':
185 self
._process
_short
_opts
(self
.rargs
, self
.values
)
186 elif self
.allow_interspersed_args
:
187 self
.largs
.append(self
.rargs
.pop(0))
190 except optparse
.OptParseError
as err
:
191 if isinstance(err
, self
._UNKNOWN
_OPTION
):
192 self
.largs
.append(err
.opt_str
)
194 if isinstance(err
, self
._BAD
_OPTION
):
197 return self
.check_values(self
.values
, self
.largs
)
199 def _generate_error_message(self
, msg
):
200 msg
= f
'{self.get_prog_name()}: error: {str(msg).strip()}\n'
201 return f
'{self.get_usage()}\n{msg}' if self
.usage
else msg
203 def error(self
, msg
):
204 raise optparse
.OptParseError(self
._generate
_error
_message
(msg
))
206 def _get_args(self
, args
):
207 return sys
.argv
[1:] if args
is None else list(args
)
209 def _match_long_opt(self
, opt
):
210 """Improve ambiguous argument resolution by comparing option objects instead of argument strings"""
212 return super()._match
_long
_opt
(opt
)
213 except optparse
.AmbiguousOptionError
as e
:
214 if len({self
._long
_opt
[p
] for p
in e
.possibilities
}) == 1:
215 return e
.possibilities
[0]
220 def _list_from_options_callback(option
, opt_str
, value
, parser
, append
=True, delim
=',', process
=str.strip
):
221 # append can be True, False or -1 (prepend)
222 current
= list(getattr(parser
.values
, option
.dest
)) if append
else []
223 value
= list(filter(None, [process(value
)] if delim
is None else map(process
, value
.split(delim
))))
225 parser
.values
, option
.dest
,
226 current
+ value
if append
is True else value
+ current
)
228 def _set_from_options_callback(
229 option
, opt_str
, value
, parser
, allowed_values
, delim
=',', aliases
={},
230 process
=lambda x
: x
.lower().strip()):
231 values
= [process(value
)] if delim
is None else map(process
, value
.split(delim
))
233 requested
= orderedSet_from_options(values
, collections
.ChainMap(aliases
, {'all': allowed_values
}),
234 start
=getattr(parser
.values
, option
.dest
))
235 except ValueError as e
:
236 raise optparse
.OptionValueError(f
'wrong {option.metavar} for {opt_str}: {e.args[0]}')
238 setattr(parser
.values
, option
.dest
, set(requested
))
240 def _dict_from_options_callback(
241 option
, opt_str
, value
, parser
,
242 allowed_keys
=r
'[\w-]+', delimiter
=':', default_key
=None, process
=None, multiple_keys
=True,
243 process_key
=str.lower
, append
=False):
245 out_dict
= dict(getattr(parser
.values
, option
.dest
))
246 multiple_args
= not isinstance(value
, str)
248 allowed_keys
= fr
'({allowed_keys})(,({allowed_keys}))*'
250 fr
'(?is)(?P<keys>{allowed_keys}){delimiter}(?P<val>.*)$',
251 value
[0] if multiple_args
else value
)
253 keys
, val
= mobj
.group('keys').split(','), mobj
.group('val')
255 val
= [val
, *value
[1:]]
256 elif default_key
is not None:
257 keys
, val
= variadic(default_key
), value
259 raise optparse
.OptionValueError(
260 f
'wrong {opt_str} formatting; it should be {option.metavar}, not "{value}"')
262 keys
= map(process_key
, keys
) if process_key
else keys
263 val
= process(val
) if process
else val
264 except Exception as err
:
265 raise optparse
.OptionValueError(f
'wrong {opt_str} formatting; {err}')
267 out_dict
[key
] = [*out_dict
.get(key
, []), val
] if append
else val
268 setattr(parser
.values
, option
.dest
, out_dict
)
270 def when_prefix(default
):
274 'action': 'callback',
275 'callback': _dict_from_options_callback
,
277 'allowed_keys': '|'.join(map(re
.escape
, POSTPROCESS_WHEN
)),
278 'default_key': default
,
279 'multiple_keys': False,
284 parser
= _YoutubeDLOptionParser()
285 alias_group
= optparse
.OptionGroup(parser
, 'Aliases')
286 Formatter
= string
.Formatter()
288 def _create_alias(option
, opt_str
, value
, parser
):
289 aliases
, opts
= value
291 nargs
= len({i
if f
== '' else f
292 for i
, (_
, f
, _
, _
) in enumerate(Formatter
.parse(opts
)) if f
is not None})
293 opts
.format(*map(str, range(nargs
))) # validate
294 except Exception as err
:
295 raise optparse
.OptionValueError(f
'wrong {opt_str} OPTIONS formatting; {err}')
296 if alias_group
not in parser
.option_groups
:
297 parser
.add_option_group(alias_group
)
299 aliases
= (x
if x
.startswith('-') else f
'--{x}' for x
in map(str.strip
, aliases
.split(',')))
301 args
= [f
'ARG{i}' for i
in range(nargs
)]
302 alias_group
.add_option(
303 *aliases
, nargs
=nargs
, dest
=parser
.ALIAS_DEST
, type='str' if nargs
else None,
304 metavar
=' '.join(args
), help=opts
.format(*args
), action
='callback',
305 callback
=_alias_callback
, callback_kwargs
={'opts': opts
, 'nargs': nargs
})
306 except Exception as err
:
307 raise optparse
.OptionValueError(f
'wrong {opt_str} formatting; {err}')
309 def _alias_callback(option
, opt_str
, value
, parser
, opts
, nargs
):
310 counter
= getattr(parser
.values
, option
.dest
)
311 counter
[opt_str
] += 1
312 if counter
[opt_str
] > parser
.ALIAS_TRIGGER_LIMIT
:
313 raise optparse
.OptionValueError(f
'Alias {opt_str} exceeded invocation limit')
316 assert (nargs
== 0 and value
is None) or len(value
) == nargs
317 parser
.rargs
[:0] = shlex
.split(
318 opts
if value
is None else opts
.format(*map(shlex
.quote
, value
)))
320 general
= optparse
.OptionGroup(parser
, 'General Options')
322 '-h', '--help', dest
='print_help', action
='store_true',
323 help='Print this help text and exit')
327 help='Print program version and exit')
330 action
='store_const', dest
='update_self', const
=CHANNEL
,
332 is_non_updateable(), None, 'Check if updates are available. %s',
333 default
=f
'Update this program to the latest {CHANNEL} version'))
336 action
='store_false', dest
='update_self',
337 help='Do not check for updates (default)')
340 action
='store', dest
='update_self', metavar
='[CHANNEL]@[TAG]',
342 'Upgrade/downgrade to a specific version. CHANNEL can be a repository as well. '
343 f
'CHANNEL and TAG default to "{CHANNEL.partition("@")[0]}" and "latest" respectively if omitted; '
344 f
'See "UPDATE" for details. Supported channels: {", ".join(UPDATE_SOURCES)}'))
346 '-i', '--ignore-errors',
347 action
='store_true', dest
='ignoreerrors',
348 help='Ignore download and postprocessing errors. The download will be considered successful even if the postprocessing fails')
350 '--no-abort-on-error',
351 action
='store_const', dest
='ignoreerrors', const
='only_download',
352 help='Continue with next video on download errors; e.g. to skip unavailable videos in a playlist (default)')
354 '--abort-on-error', '--no-ignore-errors',
355 action
='store_false', dest
='ignoreerrors',
356 help='Abort downloading of further videos if an error occurs (Alias: --no-ignore-errors)')
359 action
='store_true', dest
='dump_user_agent', default
=False,
360 help='Display the current user-agent and exit')
363 action
='store_true', dest
='list_extractors', default
=False,
364 help='List all supported extractors and exit')
366 '--extractor-descriptions',
367 action
='store_true', dest
='list_extractor_descriptions', default
=False,
368 help='Output descriptions of all supported extractors and exit')
370 '--use-extractors', '--ies',
371 action
='callback', dest
='allowed_extractors', metavar
='NAMES', type='str',
372 default
=[], callback
=_list_from_options_callback
,
374 'Extractor names to use separated by commas. '
375 'You can also use regexes, "all", "default" and "end" (end URL matching); '
376 'e.g. --ies "holodex.*,end,youtube". '
377 'Prefix the name with a "-" to exclude it, e.g. --ies default,-generic. '
378 'Use --list-extractors for a list of extractor names. (Alias: --ies)'))
380 '--force-generic-extractor',
381 action
='store_true', dest
='force_generic_extractor', default
=False,
382 help=optparse
.SUPPRESS_HELP
)
385 dest
='default_search', metavar
='PREFIX',
387 'Use this prefix for unqualified URLs. '
388 'E.g. "gvsearch2:python" downloads two videos from google videos for the search term "python". '
389 'Use the value "auto" to let yt-dlp guess ("auto_warning" to emit a warning when guessing). '
390 '"error" just throws an error. The default value "fixup_error" repairs broken URLs, '
391 'but emits an error if this is not possible instead of searching'))
393 '--ignore-config', '--no-config',
394 action
='store_true', dest
='ignoreconfig',
396 'Don\'t load any more configuration files except those given to --config-locations. '
397 'For backward compatibility, if this option is found inside the system configuration file, the user configuration is not loaded. '
398 '(Alias: --no-config)'))
400 '--no-config-locations',
401 action
='store_const', dest
='config_locations', const
=[],
403 'Do not load any custom configuration files (default). When given inside a '
404 'configuration file, ignore all previous --config-locations defined in the current file'))
406 '--config-locations',
407 dest
='config_locations', metavar
='PATH', action
='append',
409 'Location of the main configuration file; either the path to the config or its containing directory '
410 '("-" for stdin). Can be used multiple times and inside other configuration files'))
413 action
='store_const', dest
='extract_flat', const
='in_playlist', default
=False,
414 help='Do not extract the videos of a playlist, only list them')
416 '--no-flat-playlist',
417 action
='store_false', dest
='extract_flat',
418 help='Fully extract the videos of a playlist (default)')
421 action
='store_true', dest
='live_from_start',
422 help='Download livestreams from the start. Currently only supported for YouTube (Experimental)')
424 '--no-live-from-start',
425 action
='store_false', dest
='live_from_start',
426 help='Download livestreams from the current time (default)')
429 dest
='wait_for_video', metavar
='MIN[-MAX]', default
=None,
431 'Wait for scheduled streams to become available. '
432 'Pass the minimum number of seconds (or range) to wait between retries'))
434 '--no-wait-for-video',
435 dest
='wait_for_video', action
='store_const', const
=None,
436 help='Do not wait for scheduled streams (default)')
439 action
='store_true', dest
='mark_watched', default
=False,
440 help='Mark videos watched (even with --simulate)')
443 action
='store_false', dest
='mark_watched',
444 help='Do not mark videos watched (default)')
446 '--no-colors', '--no-colours',
447 action
='store_const', dest
='color', const
={
448 'stdout': 'no_color',
449 'stderr': 'no_color',
451 help=optparse
.SUPPRESS_HELP
)
454 dest
='color', metavar
='[STREAM:]POLICY', default
={}, type='str',
455 action
='callback', callback
=_dict_from_options_callback
,
457 'allowed_keys': 'stdout|stderr',
458 'default_key': ['stdout', 'stderr'],
459 'process': str.strip
,
461 'Whether to emit color codes in output, optionally prefixed by '
462 'the STREAM (stdout or stderr) to apply the setting to. '
463 'Can be one of "always", "auto" (default), "never", or '
464 '"no_color" (use non color terminal sequences). '
465 'Use "auto-tty" or "no_color-tty" to decide based on terminal support only. '
466 'Can be used multiple times'))
469 metavar
='OPTS', dest
='compat_opts', default
=set(), type='str',
470 action
='callback', callback
=_set_from_options_callback
,
473 'filename', 'filename-sanitization', 'format-sort', 'abort-on-error', 'format-spec', 'no-playlist-metafiles',
474 'multistreams', 'no-live-chat', 'playlist-index', 'list-formats', 'no-direct-merge', 'playlist-match-filter',
475 'no-attach-info-json', 'embed-thumbnail-atomicparsley', 'no-external-downloader-progress',
476 'embed-metadata', 'seperate-video-versions', 'no-clean-infojson', 'no-keep-subs', 'no-certifi',
477 'no-youtube-channel-redirect', 'no-youtube-unavailable-videos', 'no-youtube-prefer-utc-upload-date',
478 'prefer-legacy-http-handler', 'manifest-filesize-approx', 'allow-unsafe-ext',
480 'youtube-dl': ['all', '-multistreams', '-playlist-match-filter', '-manifest-filesize-approx', '-allow-unsafe-ext'],
481 'youtube-dlc': ['all', '-no-youtube-channel-redirect', '-no-live-chat', '-playlist-match-filter', '-manifest-filesize-approx', '-allow-unsafe-ext'],
482 '2021': ['2022', 'no-certifi', 'filename-sanitization'],
483 '2022': ['2023', 'no-external-downloader-progress', 'playlist-match-filter', 'prefer-legacy-http-handler', 'manifest-filesize-approx'],
487 'Options that can help keep compatibility with youtube-dl or youtube-dlc '
488 'configurations by reverting some of the changes made in yt-dlp. '
489 'See "Differences in default behavior" for details'))
491 '--alias', metavar
='ALIASES OPTIONS', dest
='_', type='str', nargs
=2,
492 action
='callback', callback
=_create_alias
,
494 'Create aliases for an option string. Unless an alias starts with a dash "-", it is prefixed with "--". '
495 'Arguments are parsed according to the Python string formatting mini-language. '
496 'E.g. --alias get-audio,-X "-S=aext:{0},abr -x --audio-format {0}" creates options '
497 '"--get-audio" and "-X" that takes an argument (ARG0) and expands to '
498 '"-S=aext:ARG0,abr -x --audio-format ARG0". All defined aliases are listed in the --help output. '
499 'Alias options can trigger more aliases; so be careful to avoid defining recursive options. '
500 f
'As a safety measure, each alias may be triggered a maximum of {_YoutubeDLOptionParser.ALIAS_TRIGGER_LIMIT} times. '
501 'This option can be used multiple times'))
503 network
= optparse
.OptionGroup(parser
, 'Network Options')
505 '--proxy', dest
='proxy',
506 default
=None, metavar
='URL',
508 'Use the specified HTTP/HTTPS/SOCKS proxy. To enable SOCKS proxy, specify a proper scheme, '
509 'e.g. socks5://user:pass@127.0.0.1:1080/. Pass in an empty string (--proxy "") for direct connection'))
512 dest
='socket_timeout', type=float, default
=None, metavar
='SECONDS',
513 help='Time to wait before giving up, in seconds')
516 metavar
='IP', dest
='source_address', default
=None,
517 help='Client-side IP address to bind to',
521 metavar
='CLIENT[:OS]', dest
='impersonate', default
=None,
523 'Client to impersonate for requests. E.g. chrome, chrome-110, chrome:windows-10. '
524 'Pass --impersonate="" to impersonate any client. Note that forcing impersonation '
525 'for all requests may have a detrimental impact on download speed and stability'),
528 '--list-impersonate-targets',
529 dest
='list_impersonate_targets', default
=False, action
='store_true',
530 help='List available clients to impersonate.',
533 '-4', '--force-ipv4',
534 action
='store_const', const
='0.0.0.0', dest
='source_address',
535 help='Make all connections via IPv4',
538 '-6', '--force-ipv6',
539 action
='store_const', const
='::', dest
='source_address',
540 help='Make all connections via IPv6',
543 '--enable-file-urls', action
='store_true',
544 dest
='enable_file_urls', default
=False,
545 help='Enable file:// URLs. This is disabled by default for security reasons.',
548 geo
= optparse
.OptionGroup(parser
, 'Geo-restriction')
550 '--geo-verification-proxy',
551 dest
='geo_verification_proxy', default
=None, metavar
='URL',
553 'Use this proxy to verify the IP address for some geo-restricted sites. '
554 'The default proxy specified by --proxy (or none, if the option is not present) is used for the actual downloading'))
556 '--cn-verification-proxy',
557 dest
='cn_verification_proxy', default
=None, metavar
='URL',
558 help=optparse
.SUPPRESS_HELP
)
560 '--xff', metavar
='VALUE',
561 dest
='geo_bypass', default
='default',
563 'How to fake X-Forwarded-For HTTP header to try bypassing geographic restriction. '
564 'One of "default" (only when known to be useful), "never", '
565 'an IP block in CIDR notation, or a two-letter ISO 3166-2 country code'))
568 action
='store_const', dest
='geo_bypass', const
='default',
569 help=optparse
.SUPPRESS_HELP
)
572 action
='store_const', dest
='geo_bypass', const
='never',
573 help=optparse
.SUPPRESS_HELP
)
575 '--geo-bypass-country', metavar
='CODE', dest
='geo_bypass',
576 help=optparse
.SUPPRESS_HELP
)
578 '--geo-bypass-ip-block', metavar
='IP_BLOCK', dest
='geo_bypass',
579 help=optparse
.SUPPRESS_HELP
)
581 selection
= optparse
.OptionGroup(parser
, 'Video Selection')
582 selection
.add_option(
584 dest
='playliststart', metavar
='NUMBER', default
=1, type=int,
585 help=optparse
.SUPPRESS_HELP
)
586 selection
.add_option(
588 dest
='playlistend', metavar
='NUMBER', default
=None, type=int,
589 help=optparse
.SUPPRESS_HELP
)
590 selection
.add_option(
591 '-I', '--playlist-items',
592 dest
='playlist_items', metavar
='ITEM_SPEC', default
=None,
594 'Comma separated playlist_index of the items to download. '
595 'You can specify a range using "[START]:[STOP][:STEP]". For backward compatibility, START-STOP is also supported. '
596 'Use negative indices to count from the right and negative STEP to download in reverse order. '
597 'E.g. "-I 1:3,7,-5::2" used on a playlist of size 15 will download the items at index 1,2,3,7,11,13,15'))
598 selection
.add_option(
600 dest
='matchtitle', metavar
='REGEX',
601 help=optparse
.SUPPRESS_HELP
)
602 selection
.add_option(
604 dest
='rejecttitle', metavar
='REGEX',
605 help=optparse
.SUPPRESS_HELP
)
606 selection
.add_option(
608 metavar
='SIZE', dest
='min_filesize', default
=None,
609 help='Abort download if filesize is smaller than SIZE, e.g. 50k or 44.6M')
610 selection
.add_option(
612 metavar
='SIZE', dest
='max_filesize', default
=None,
613 help='Abort download if filesize is larger than SIZE, e.g. 50k or 44.6M')
614 selection
.add_option(
616 metavar
='DATE', dest
='date', default
=None,
618 'Download only videos uploaded on this date. '
619 'The date can be "YYYYMMDD" or in the format [now|today|yesterday][-N[day|week|month|year]]. '
620 'E.g. "--date today-2weeks" downloads only videos uploaded on the same day two weeks ago'))
621 selection
.add_option(
623 metavar
='DATE', dest
='datebefore', default
=None,
625 'Download only videos uploaded on or before this date. '
626 'The date formats accepted is the same as --date'))
627 selection
.add_option(
629 metavar
='DATE', dest
='dateafter', default
=None,
631 'Download only videos uploaded on or after this date. '
632 'The date formats accepted is the same as --date'))
633 selection
.add_option(
635 metavar
='COUNT', dest
='min_views', default
=None, type=int,
636 help=optparse
.SUPPRESS_HELP
)
637 selection
.add_option(
639 metavar
='COUNT', dest
='max_views', default
=None, type=int,
640 help=optparse
.SUPPRESS_HELP
)
641 selection
.add_option(
643 metavar
='FILTER', dest
='match_filter', action
='append',
645 'Generic video filter. Any "OUTPUT TEMPLATE" field can be compared with a '
646 'number or a string using the operators defined in "Filtering Formats". '
647 'You can also simply specify a field to match if the field is present, '
648 'use "!field" to check if the field is not present, and "&" to check multiple conditions. '
649 'Use a "\\" to escape "&" or quotes if needed. If used multiple times, '
650 'the filter matches if at least one of the conditions is met. E.g. --match-filter '
651 '!is_live --match-filter "like_count>?100 & description~=\'(?i)\\bcats \\& dogs\\b\'" '
652 'matches only videos that are not live OR those that have a like count more than 100 '
653 '(or the like field is not available) and also has a description '
654 'that contains the phrase "cats & dogs" (caseless). '
655 'Use "--match-filter -" to interactively ask whether to download each video'))
656 selection
.add_option(
657 '--no-match-filters',
658 dest
='match_filter', action
='store_const', const
=None,
659 help='Do not use any --match-filter (default)')
660 selection
.add_option(
661 '--break-match-filters',
662 metavar
='FILTER', dest
='breaking_match_filter', action
='append',
663 help='Same as "--match-filters" but stops the download process when a video is rejected')
664 selection
.add_option(
665 '--no-break-match-filters',
666 dest
='breaking_match_filter', action
='store_const', const
=None,
667 help='Do not use any --break-match-filters (default)')
668 selection
.add_option(
670 action
='store_true', dest
='noplaylist', default
=False,
671 help='Download only the video, if the URL refers to a video and a playlist')
672 selection
.add_option(
674 action
='store_false', dest
='noplaylist',
675 help='Download the playlist, if the URL refers to a video and a playlist')
676 selection
.add_option(
678 metavar
='YEARS', dest
='age_limit', default
=None, type=int,
679 help='Download only videos suitable for the given age')
680 selection
.add_option(
681 '--download-archive', metavar
='FILE',
682 dest
='download_archive',
683 help='Download only videos not listed in the archive file. Record the IDs of all downloaded videos in it')
684 selection
.add_option(
685 '--no-download-archive',
686 dest
='download_archive', action
='store_const', const
=None,
687 help='Do not use archive file (default)')
688 selection
.add_option(
690 dest
='max_downloads', metavar
='NUMBER', type=int, default
=None,
691 help='Abort after downloading NUMBER files')
692 selection
.add_option(
693 '--break-on-existing',
694 action
='store_true', dest
='break_on_existing', default
=False,
695 help='Stop the download process when encountering a file that is in the archive')
696 selection
.add_option(
697 '--no-break-on-existing',
698 action
='store_false', dest
='break_on_existing',
699 help='Do not stop the download process when encountering a file that is in the archive (default)')
700 selection
.add_option(
702 action
='store_true', dest
='break_on_reject', default
=False,
703 help=optparse
.SUPPRESS_HELP
)
704 selection
.add_option(
706 action
='store_true', dest
='break_per_url', default
=False,
707 help='Alters --max-downloads, --break-on-existing, --break-match-filter, and autonumber to reset per input URL')
708 selection
.add_option(
709 '--no-break-per-input',
710 action
='store_false', dest
='break_per_url',
711 help='--break-on-existing and similar options terminates the entire download queue')
712 selection
.add_option(
713 '--skip-playlist-after-errors', metavar
='N',
714 dest
='skip_playlist_after_errors', default
=None, type=int,
715 help='Number of allowed failures until the rest of the playlist is skipped')
716 selection
.add_option(
718 dest
='include_ads', action
='store_true',
719 help=optparse
.SUPPRESS_HELP
)
720 selection
.add_option(
722 dest
='include_ads', action
='store_false',
723 help=optparse
.SUPPRESS_HELP
)
725 authentication
= optparse
.OptionGroup(parser
, 'Authentication Options')
726 authentication
.add_option(
728 dest
='username', metavar
='USERNAME',
729 help='Login with this account ID')
730 authentication
.add_option(
732 dest
='password', metavar
='PASSWORD',
733 help='Account password. If this option is left out, yt-dlp will ask interactively')
734 authentication
.add_option(
736 dest
='twofactor', metavar
='TWOFACTOR',
737 help='Two-factor authentication code')
738 authentication
.add_option(
740 action
='store_true', dest
='usenetrc', default
=False,
741 help='Use .netrc authentication data')
742 authentication
.add_option(
744 dest
='netrc_location', metavar
='PATH',
745 help='Location of .netrc authentication data; either the path or its containing directory. Defaults to ~/.netrc')
746 authentication
.add_option(
748 dest
='netrc_cmd', metavar
='NETRC_CMD',
749 help='Command to execute to get the credentials for an extractor.')
750 authentication
.add_option(
752 dest
='videopassword', metavar
='PASSWORD',
753 help='Video-specific password')
754 authentication
.add_option(
756 dest
='ap_mso', metavar
='MSO',
757 help='Adobe Pass multiple-system operator (TV provider) identifier, use --ap-list-mso for a list of available MSOs')
758 authentication
.add_option(
760 dest
='ap_username', metavar
='USERNAME',
761 help='Multiple-system operator account login')
762 authentication
.add_option(
764 dest
='ap_password', metavar
='PASSWORD',
765 help='Multiple-system operator account password. If this option is left out, yt-dlp will ask interactively')
766 authentication
.add_option(
768 action
='store_true', dest
='ap_list_mso', default
=False,
769 help='List all supported multiple-system operators')
770 authentication
.add_option(
771 '--client-certificate',
772 dest
='client_certificate', metavar
='CERTFILE',
773 help='Path to client certificate file in PEM format. May include the private key')
774 authentication
.add_option(
775 '--client-certificate-key',
776 dest
='client_certificate_key', metavar
='KEYFILE',
777 help='Path to private key file for client certificate')
778 authentication
.add_option(
779 '--client-certificate-password',
780 dest
='client_certificate_password', metavar
='PASSWORD',
781 help='Password for client certificate private key, if encrypted. '
782 'If not provided, and the key is encrypted, yt-dlp will ask interactively')
784 video_format
= optparse
.OptionGroup(parser
, 'Video Format Options')
785 video_format
.add_option(
787 action
='store', dest
='format', metavar
='FORMAT', default
=None,
788 help='Video format code, see "FORMAT SELECTION" for more details')
789 video_format
.add_option(
790 '-S', '--format-sort', metavar
='SORTORDER',
791 dest
='format_sort', default
=[], type='str', action
='callback',
792 callback
=_list_from_options_callback
, callback_kwargs
={'append': -1},
793 help='Sort the formats by the fields given, see "Sorting Formats" for more details')
794 video_format
.add_option(
795 '--format-sort-force', '--S-force',
796 action
='store_true', dest
='format_sort_force', metavar
='FORMAT', default
=False,
798 'Force user specified sort order to have precedence over all fields, '
799 'see "Sorting Formats" for more details (Alias: --S-force)'))
800 video_format
.add_option(
801 '--no-format-sort-force',
802 action
='store_false', dest
='format_sort_force', metavar
='FORMAT', default
=False,
803 help='Some fields have precedence over the user specified sort order (default)')
804 video_format
.add_option(
805 '--video-multistreams',
806 action
='store_true', dest
='allow_multiple_video_streams', default
=None,
807 help='Allow multiple video streams to be merged into a single file')
808 video_format
.add_option(
809 '--no-video-multistreams',
810 action
='store_false', dest
='allow_multiple_video_streams',
811 help='Only one video stream is downloaded for each output file (default)')
812 video_format
.add_option(
813 '--audio-multistreams',
814 action
='store_true', dest
='allow_multiple_audio_streams', default
=None,
815 help='Allow multiple audio streams to be merged into a single file')
816 video_format
.add_option(
817 '--no-audio-multistreams',
818 action
='store_false', dest
='allow_multiple_audio_streams',
819 help='Only one audio stream is downloaded for each output file (default)')
820 video_format
.add_option(
822 action
='store_const', dest
='format', const
='all',
823 help=optparse
.SUPPRESS_HELP
)
824 video_format
.add_option(
825 '--prefer-free-formats',
826 action
='store_true', dest
='prefer_free_formats', default
=False,
828 'Prefer video formats with free containers over non-free ones of same quality. '
829 'Use with "-S ext" to strictly prefer free containers irrespective of quality'))
830 video_format
.add_option(
831 '--no-prefer-free-formats',
832 action
='store_false', dest
='prefer_free_formats', default
=False,
833 help="Don't give any special preference to free containers (default)")
834 video_format
.add_option(
836 action
='store_const', const
='selected', dest
='check_formats', default
=None,
837 help='Make sure formats are selected only from those that are actually downloadable')
838 video_format
.add_option(
839 '--check-all-formats',
840 action
='store_true', dest
='check_formats',
841 help='Check all formats for whether they are actually downloadable')
842 video_format
.add_option(
843 '--no-check-formats',
844 action
='store_false', dest
='check_formats',
845 help='Do not check that the formats are actually downloadable')
846 video_format
.add_option(
847 '-F', '--list-formats',
848 action
='store_true', dest
='listformats',
849 help='List available formats of each video. Simulate unless --no-simulate is used')
850 video_format
.add_option(
851 '--list-formats-as-table',
852 action
='store_true', dest
='listformats_table', default
=True,
853 help=optparse
.SUPPRESS_HELP
)
854 video_format
.add_option(
855 '--list-formats-old', '--no-list-formats-as-table',
856 action
='store_false', dest
='listformats_table',
857 help=optparse
.SUPPRESS_HELP
)
858 video_format
.add_option(
859 '--merge-output-format',
860 action
='store', dest
='merge_output_format', metavar
='FORMAT', default
=None,
862 'Containers that may be used when merging formats, separated by "/", e.g. "mp4/mkv". '
863 'Ignored if no merge is required. '
864 f
'(currently supported: {", ".join(sorted(FFmpegMergerPP.SUPPORTED_EXTS))})'))
865 video_format
.add_option(
866 '--allow-unplayable-formats',
867 action
='store_true', dest
='allow_unplayable_formats', default
=False,
868 help=optparse
.SUPPRESS_HELP
)
869 video_format
.add_option(
870 '--no-allow-unplayable-formats',
871 action
='store_false', dest
='allow_unplayable_formats',
872 help=optparse
.SUPPRESS_HELP
)
874 subtitles
= optparse
.OptionGroup(parser
, 'Subtitle Options')
875 subtitles
.add_option(
876 '--write-subs', '--write-srt',
877 action
='store_true', dest
='writesubtitles', default
=False,
878 help='Write subtitle file')
879 subtitles
.add_option(
880 '--no-write-subs', '--no-write-srt',
881 action
='store_false', dest
='writesubtitles',
882 help='Do not write subtitle file (default)')
883 subtitles
.add_option(
884 '--write-auto-subs', '--write-automatic-subs',
885 action
='store_true', dest
='writeautomaticsub', default
=False,
886 help='Write automatically generated subtitle file (Alias: --write-automatic-subs)')
887 subtitles
.add_option(
888 '--no-write-auto-subs', '--no-write-automatic-subs',
889 action
='store_false', dest
='writeautomaticsub', default
=False,
890 help='Do not write auto-generated subtitles (default) (Alias: --no-write-automatic-subs)')
891 subtitles
.add_option(
893 action
='store_true', dest
='allsubtitles', default
=False,
894 help=optparse
.SUPPRESS_HELP
)
895 subtitles
.add_option(
897 action
='store_true', dest
='listsubtitles', default
=False,
898 help='List available subtitles of each video. Simulate unless --no-simulate is used')
899 subtitles
.add_option(
901 action
='store', dest
='subtitlesformat', metavar
='FORMAT', default
='best',
902 help='Subtitle format; accepts formats preference, e.g. "srt" or "ass/srt/best"')
903 subtitles
.add_option(
904 '--sub-langs', '--srt-langs',
905 action
='callback', dest
='subtitleslangs', metavar
='LANGS', type='str',
906 default
=[], callback
=_list_from_options_callback
,
908 'Languages of the subtitles to download (can be regex) or "all" separated by commas, e.g. --sub-langs "en.*,ja". '
909 'You can prefix the language code with a "-" to exclude it from the requested languages, e.g. --sub-langs all,-live_chat. '
910 'Use --list-subs for a list of available language tags'))
912 downloader
= optparse
.OptionGroup(parser
, 'Download Options')
913 downloader
.add_option(
914 '-N', '--concurrent-fragments',
915 dest
='concurrent_fragment_downloads', metavar
='N', default
=1, type=int,
916 help='Number of fragments of a dash/hlsnative video that should be downloaded concurrently (default is %default)')
917 downloader
.add_option(
918 '-r', '--limit-rate', '--rate-limit',
919 dest
='ratelimit', metavar
='RATE',
920 help='Maximum download rate in bytes per second, e.g. 50K or 4.2M')
921 downloader
.add_option(
923 dest
='throttledratelimit', metavar
='RATE',
924 help='Minimum download rate in bytes per second below which throttling is assumed and the video data is re-extracted, e.g. 100K')
925 downloader
.add_option(
927 dest
='retries', metavar
='RETRIES', default
=10,
928 help='Number of retries (default is %default), or "infinite"')
929 downloader
.add_option(
930 '--file-access-retries',
931 dest
='file_access_retries', metavar
='RETRIES', default
=3,
932 help='Number of times to retry on file access error (default is %default), or "infinite"')
933 downloader
.add_option(
934 '--fragment-retries',
935 dest
='fragment_retries', metavar
='RETRIES', default
=10,
936 help='Number of retries for a fragment (default is %default), or "infinite" (DASH, hlsnative and ISM)')
937 downloader
.add_option(
939 dest
='retry_sleep', metavar
='[TYPE:]EXPR', default
={}, type='str',
940 action
='callback', callback
=_dict_from_options_callback
,
942 'allowed_keys': 'http|fragment|file_access|extractor',
943 'default_key': 'http',
945 'Time to sleep between retries in seconds (optionally) prefixed by the type of retry '
946 '(http (default), fragment, file_access, extractor) to apply the sleep to. '
947 'EXPR can be a number, linear=START[:END[:STEP=1]] or exp=START[:END[:BASE=2]]. '
948 'This option can be used multiple times to set the sleep for the different retry types, '
949 'e.g. --retry-sleep linear=1::2 --retry-sleep fragment:exp=1:20'))
950 downloader
.add_option(
951 '--skip-unavailable-fragments', '--no-abort-on-unavailable-fragments',
952 action
='store_true', dest
='skip_unavailable_fragments', default
=True,
953 help='Skip unavailable fragments for DASH, hlsnative and ISM downloads (default) (Alias: --no-abort-on-unavailable-fragments)')
954 downloader
.add_option(
955 '--abort-on-unavailable-fragments', '--no-skip-unavailable-fragments',
956 action
='store_false', dest
='skip_unavailable_fragments',
957 help='Abort download if a fragment is unavailable (Alias: --no-skip-unavailable-fragments)')
958 downloader
.add_option(
960 action
='store_true', dest
='keep_fragments', default
=False,
961 help='Keep downloaded fragments on disk after downloading is finished')
962 downloader
.add_option(
963 '--no-keep-fragments',
964 action
='store_false', dest
='keep_fragments',
965 help='Delete downloaded fragments after downloading is finished (default)')
966 downloader
.add_option(
968 dest
='buffersize', metavar
='SIZE', default
='1024',
969 help='Size of download buffer, e.g. 1024 or 16K (default is %default)')
970 downloader
.add_option(
972 action
='store_false', dest
='noresizebuffer',
973 help='The buffer size is automatically resized from an initial value of --buffer-size (default)')
974 downloader
.add_option(
975 '--no-resize-buffer',
976 action
='store_true', dest
='noresizebuffer', default
=False,
977 help='Do not automatically adjust the buffer size')
978 downloader
.add_option(
980 dest
='http_chunk_size', metavar
='SIZE', default
=None,
982 'Size of a chunk for chunk-based HTTP downloading, e.g. 10485760 or 10M (default is disabled). '
983 'May be useful for bypassing bandwidth throttling imposed by a webserver (experimental)'))
984 downloader
.add_option(
986 action
='store_true', dest
='test', default
=False,
987 help=optparse
.SUPPRESS_HELP
)
988 downloader
.add_option(
989 '--playlist-reverse',
990 action
='store_true', dest
='playlist_reverse',
991 help=optparse
.SUPPRESS_HELP
)
992 downloader
.add_option(
993 '--no-playlist-reverse',
994 action
='store_false', dest
='playlist_reverse',
995 help=optparse
.SUPPRESS_HELP
)
996 downloader
.add_option(
998 action
='store_true', dest
='playlist_random',
999 help='Download playlist videos in random order')
1000 downloader
.add_option(
1002 action
='store_true', dest
='lazy_playlist',
1003 help='Process entries in the playlist as they are received. This disables n_entries, --playlist-random and --playlist-reverse')
1004 downloader
.add_option(
1005 '--no-lazy-playlist',
1006 action
='store_false', dest
='lazy_playlist',
1007 help='Process videos in the playlist only after the entire playlist is parsed (default)')
1008 downloader
.add_option(
1009 '--xattr-set-filesize',
1010 dest
='xattr_set_filesize', action
='store_true',
1011 help='Set file xattribute ytdl.filesize with expected file size')
1012 downloader
.add_option(
1013 '--hls-prefer-native',
1014 dest
='hls_prefer_native', action
='store_true', default
=None,
1015 help=optparse
.SUPPRESS_HELP
)
1016 downloader
.add_option(
1017 '--hls-prefer-ffmpeg',
1018 dest
='hls_prefer_native', action
='store_false', default
=None,
1019 help=optparse
.SUPPRESS_HELP
)
1020 downloader
.add_option(
1022 dest
='hls_use_mpegts', action
='store_true', default
=None,
1024 'Use the mpegts container for HLS videos; '
1025 'allowing some players to play the video while downloading, '
1026 'and reducing the chance of file corruption if download is interrupted. '
1027 'This is enabled by default for live streams'))
1028 downloader
.add_option(
1029 '--no-hls-use-mpegts',
1030 dest
='hls_use_mpegts', action
='store_false',
1032 'Do not use the mpegts container for HLS videos. '
1033 'This is default when not downloading live streams'))
1034 downloader
.add_option(
1035 '--download-sections',
1036 metavar
='REGEX', dest
='download_ranges', action
='append',
1038 'Download only chapters that match the regular expression. '
1039 'A "*" prefix denotes time-range instead of chapter. Negative timestamps are calculated from the end. '
1040 '"*from-url" can be used to download between the "start_time" and "end_time" extracted from the URL. '
1041 'Needs ffmpeg. This option can be used multiple times to download multiple sections, '
1042 'e.g. --download-sections "*10:15-inf" --download-sections "intro"'))
1043 downloader
.add_option(
1044 '--downloader', '--external-downloader',
1045 dest
='external_downloader', metavar
='[PROTO:]NAME', default
={}, type='str',
1046 action
='callback', callback
=_dict_from_options_callback
,
1048 'allowed_keys': 'http|ftp|m3u8|dash|rtsp|rtmp|mms',
1049 'default_key': 'default',
1050 'process': str.strip
,
1052 'Name or path of the external downloader to use (optionally) prefixed by '
1053 'the protocols (http, ftp, m3u8, dash, rstp, rtmp, mms) to use it for. '
1054 f
'Currently supports native, {", ".join(sorted(list_external_downloaders()))}. '
1055 'You can use this option multiple times to set different downloaders for different protocols. '
1056 'E.g. --downloader aria2c --downloader "dash,m3u8:native" will use '
1057 'aria2c for http/ftp downloads, and the native downloader for dash/m3u8 downloads '
1058 '(Alias: --external-downloader)'))
1059 downloader
.add_option(
1060 '--downloader-args', '--external-downloader-args',
1061 metavar
='NAME:ARGS', dest
='external_downloader_args', default
={}, type='str',
1062 action
='callback', callback
=_dict_from_options_callback
,
1064 'allowed_keys': r
'ffmpeg_[io]\d*|{}'.format('|'.join(map(re
.escape
, list_external_downloaders()))),
1065 'default_key': 'default',
1066 'process': shlex
.split
,
1068 'Give these arguments to the external downloader. '
1069 'Specify the downloader name and the arguments separated by a colon ":". '
1070 'For ffmpeg, arguments can be passed to different positions using the same syntax as --postprocessor-args. '
1071 'You can use this option multiple times to give different arguments to different downloaders '
1072 '(Alias: --external-downloader-args)'))
1074 workarounds
= optparse
.OptionGroup(parser
, 'Workarounds')
1075 workarounds
.add_option(
1077 dest
='encoding', metavar
='ENCODING',
1078 help='Force the specified encoding (experimental)')
1079 workarounds
.add_option(
1080 '--legacy-server-connect',
1081 action
='store_true', dest
='legacy_server_connect', default
=False,
1082 help='Explicitly allow HTTPS connection to servers that do not support RFC 5746 secure renegotiation')
1083 workarounds
.add_option(
1084 '--no-check-certificates',
1085 action
='store_true', dest
='no_check_certificate', default
=False,
1086 help='Suppress HTTPS certificate validation')
1087 workarounds
.add_option(
1088 '--prefer-insecure', '--prefer-unsecure',
1089 action
='store_true', dest
='prefer_insecure',
1090 help='Use an unencrypted connection to retrieve information about the video (Currently supported only for YouTube)')
1091 workarounds
.add_option(
1093 metavar
='UA', dest
='user_agent',
1094 help=optparse
.SUPPRESS_HELP
)
1095 workarounds
.add_option(
1097 metavar
='URL', dest
='referer', default
=None,
1098 help=optparse
.SUPPRESS_HELP
)
1099 workarounds
.add_option(
1101 metavar
='FIELD:VALUE', dest
='headers', default
={}, type='str',
1102 action
='callback', callback
=_dict_from_options_callback
,
1103 callback_kwargs
={'multiple_keys': False},
1104 help='Specify a custom HTTP header and its value, separated by a colon ":". You can use this option multiple times',
1106 workarounds
.add_option(
1107 '--bidi-workaround',
1108 dest
='bidi_workaround', action
='store_true',
1109 help='Work around terminals that lack bidirectional text support. Requires bidiv or fribidi executable in PATH')
1110 workarounds
.add_option(
1111 '--sleep-requests', metavar
='SECONDS',
1112 dest
='sleep_interval_requests', type=float,
1113 help='Number of seconds to sleep between requests during data extraction')
1114 workarounds
.add_option(
1115 '--sleep-interval', '--min-sleep-interval', metavar
='SECONDS',
1116 dest
='sleep_interval', type=float,
1118 'Number of seconds to sleep before each download. '
1119 'This is the minimum time to sleep when used along with --max-sleep-interval '
1120 '(Alias: --min-sleep-interval)'))
1121 workarounds
.add_option(
1122 '--max-sleep-interval', metavar
='SECONDS',
1123 dest
='max_sleep_interval', type=float,
1124 help='Maximum number of seconds to sleep. Can only be used along with --min-sleep-interval')
1125 workarounds
.add_option(
1126 '--sleep-subtitles', metavar
='SECONDS',
1127 dest
='sleep_interval_subtitles', default
=0, type=int,
1128 help='Number of seconds to sleep before each subtitle download')
1130 verbosity
= optparse
.OptionGroup(parser
, 'Verbosity and Simulation Options')
1131 verbosity
.add_option(
1133 action
='store_true', dest
='quiet', default
=None,
1134 help='Activate quiet mode. If used with --verbose, print the log to stderr')
1135 verbosity
.add_option(
1137 action
='store_false', dest
='quiet',
1138 help='Deactivate quiet mode. (Default)')
1139 verbosity
.add_option(
1141 dest
='no_warnings', action
='store_true', default
=False,
1142 help='Ignore warnings')
1143 verbosity
.add_option(
1145 action
='store_true', dest
='simulate', default
=None,
1146 help='Do not download the video and do not write anything to disk')
1147 verbosity
.add_option(
1149 action
='store_false', dest
='simulate',
1150 help='Download the video even if printing/listing options are used')
1151 verbosity
.add_option(
1152 '--ignore-no-formats-error',
1153 action
='store_true', dest
='ignore_no_formats_error', default
=False,
1155 'Ignore "No video formats" error. Useful for extracting metadata '
1156 'even if the videos are not actually available for download (experimental)'))
1157 verbosity
.add_option(
1158 '--no-ignore-no-formats-error',
1159 action
='store_false', dest
='ignore_no_formats_error',
1160 help='Throw error when no downloadable video formats are found (default)')
1161 verbosity
.add_option(
1162 '--skip-download', '--no-download',
1163 action
='store_true', dest
='skip_download', default
=False,
1164 help='Do not download the video but write all related files (Alias: --no-download)')
1165 verbosity
.add_option(
1167 metavar
='[WHEN:]TEMPLATE', dest
='forceprint', **when_prefix('video'),
1169 'Field name or output template to print to screen, optionally prefixed with when to print it, separated by a ":". '
1170 'Supported values of "WHEN" are the same as that of --use-postprocessor (default: video). '
1171 'Implies --quiet. Implies --simulate unless --no-simulate or later stages of WHEN are used. '
1172 'This option can be used multiple times'))
1173 verbosity
.add_option(
1175 metavar
='[WHEN:]TEMPLATE FILE', dest
='print_to_file', nargs
=2, **when_prefix('video'),
1177 'Append given template to the file. The values of WHEN and TEMPLATE are same as that of --print. '
1178 'FILE uses the same syntax as the output template. This option can be used multiple times'))
1179 verbosity
.add_option(
1181 action
='store_true', dest
='geturl', default
=False,
1182 help=optparse
.SUPPRESS_HELP
)
1183 verbosity
.add_option(
1184 '-e', '--get-title',
1185 action
='store_true', dest
='gettitle', default
=False,
1186 help=optparse
.SUPPRESS_HELP
)
1187 verbosity
.add_option(
1189 action
='store_true', dest
='getid', default
=False,
1190 help=optparse
.SUPPRESS_HELP
)
1191 verbosity
.add_option(
1193 action
='store_true', dest
='getthumbnail', default
=False,
1194 help=optparse
.SUPPRESS_HELP
)
1195 verbosity
.add_option(
1196 '--get-description',
1197 action
='store_true', dest
='getdescription', default
=False,
1198 help=optparse
.SUPPRESS_HELP
)
1199 verbosity
.add_option(
1201 action
='store_true', dest
='getduration', default
=False,
1202 help=optparse
.SUPPRESS_HELP
)
1203 verbosity
.add_option(
1205 action
='store_true', dest
='getfilename', default
=False,
1206 help=optparse
.SUPPRESS_HELP
)
1207 verbosity
.add_option(
1209 action
='store_true', dest
='getformat', default
=False,
1210 help=optparse
.SUPPRESS_HELP
)
1211 verbosity
.add_option(
1212 '-j', '--dump-json',
1213 action
='store_true', dest
='dumpjson', default
=False,
1215 'Quiet, but print JSON information for each video. Simulate unless --no-simulate is used. '
1216 'See "OUTPUT TEMPLATE" for a description of available keys'))
1217 verbosity
.add_option(
1218 '-J', '--dump-single-json',
1219 action
='store_true', dest
='dump_single_json', default
=False,
1221 'Quiet, but print JSON information for each url or infojson passed. Simulate unless --no-simulate is used. '
1222 'If the URL refers to a playlist, the whole playlist information is dumped in a single line'))
1223 verbosity
.add_option(
1225 action
='store_true', dest
='print_json', default
=False,
1226 help=optparse
.SUPPRESS_HELP
)
1227 verbosity
.add_option(
1228 '--force-write-archive', '--force-write-download-archive', '--force-download-archive',
1229 action
='store_true', dest
='force_write_download_archive', default
=False,
1231 'Force download archive entries to be written as far as no errors occur, '
1232 'even if -s or another simulation option is used (Alias: --force-download-archive)'))
1233 verbosity
.add_option(
1235 action
='store_true', dest
='progress_with_newline', default
=False,
1236 help='Output progress bar as new lines')
1237 verbosity
.add_option(
1239 action
='store_true', dest
='noprogress', default
=None,
1240 help='Do not print progress bar')
1241 verbosity
.add_option(
1243 action
='store_false', dest
='noprogress',
1244 help='Show progress bar, even if in quiet mode')
1245 verbosity
.add_option(
1247 action
='store_true', dest
='consoletitle', default
=False,
1248 help='Display progress in console titlebar')
1249 verbosity
.add_option(
1250 '--progress-template',
1251 metavar
='[TYPES:]TEMPLATE', dest
='progress_template', default
={}, type='str',
1252 action
='callback', callback
=_dict_from_options_callback
,
1254 'allowed_keys': '(download|postprocess)(-title)?',
1255 'default_key': 'download',
1257 'Template for progress outputs, optionally prefixed with one of "download:" (default), '
1258 '"download-title:" (the console title), "postprocess:", or "postprocess-title:". '
1259 'The video\'s fields are accessible under the "info" key and '
1260 'the progress attributes are accessible under "progress" key. E.g. '
1261 # TODO: Document the fields inside "progress"
1262 '--console-title --progress-template "download-title:%(info.id)s-%(progress.eta)s"'))
1263 verbosity
.add_option(
1265 metavar
='SECONDS', action
='store', dest
='progress_delta', type=float, default
=0,
1266 help='Time between progress output (default: 0)')
1267 verbosity
.add_option(
1269 action
='store_true', dest
='verbose', default
=False,
1270 help='Print various debugging information')
1271 verbosity
.add_option(
1272 '--dump-pages', '--dump-intermediate-pages',
1273 action
='store_true', dest
='dump_intermediate_pages', default
=False,
1274 help='Print downloaded pages encoded using base64 to debug problems (very verbose)')
1275 verbosity
.add_option(
1277 action
='store_true', dest
='write_pages', default
=False,
1278 help='Write downloaded intermediary pages to files in the current directory to debug problems')
1279 verbosity
.add_option(
1281 action
='store_true', dest
='load_pages', default
=False,
1282 help=optparse
.SUPPRESS_HELP
)
1283 verbosity
.add_option(
1284 '--youtube-print-sig-code',
1285 action
='store_true', dest
='youtube_print_sig_code', default
=False,
1286 help=optparse
.SUPPRESS_HELP
)
1287 verbosity
.add_option(
1288 '--print-traffic', '--dump-headers',
1289 dest
='debug_printtraffic', action
='store_true', default
=False,
1290 help='Display sent and read HTTP traffic')
1291 verbosity
.add_option(
1292 '-C', '--call-home',
1293 dest
='call_home', action
='store_true', default
=False,
1294 # help='Contact the yt-dlp server for debugging')
1295 help=optparse
.SUPPRESS_HELP
)
1296 verbosity
.add_option(
1298 dest
='call_home', action
='store_false',
1299 # help='Do not contact the yt-dlp server for debugging (default)')
1300 help=optparse
.SUPPRESS_HELP
)
1302 filesystem
= optparse
.OptionGroup(parser
, 'Filesystem Options')
1303 filesystem
.add_option(
1304 '-a', '--batch-file',
1305 dest
='batchfile', metavar
='FILE',
1307 'File containing URLs to download ("-" for stdin), one URL per line. '
1308 'Lines starting with "#", ";" or "]" are considered as comments and ignored'))
1309 filesystem
.add_option(
1311 dest
='batchfile', action
='store_const', const
=None,
1312 help='Do not read URLs from batch file (default)')
1313 filesystem
.add_option(
1314 '--id', default
=False,
1315 action
='store_true', dest
='useid', help=optparse
.SUPPRESS_HELP
)
1316 filesystem
.add_option(
1318 metavar
='[TYPES:]PATH', dest
='paths', default
={}, type='str',
1319 action
='callback', callback
=_dict_from_options_callback
,
1321 'allowed_keys': 'home|temp|{}'.format('|'.join(map(re
.escape
, OUTTMPL_TYPES
.keys()))),
1322 'default_key': 'home',
1324 'The paths where the files should be downloaded. '
1325 'Specify the type of file and the path separated by a colon ":". '
1326 'All the same TYPES as --output are supported. '
1327 'Additionally, you can also provide "home" (default) and "temp" paths. '
1328 'All intermediary files are first downloaded to the temp path and '
1329 'then the final files are moved over to the home path after download is finished. '
1330 'This option is ignored if --output is an absolute path'))
1331 filesystem
.add_option(
1333 metavar
='[TYPES:]TEMPLATE', dest
='outtmpl', default
={}, type='str',
1334 action
='callback', callback
=_dict_from_options_callback
,
1336 'allowed_keys': '|'.join(map(re
.escape
, OUTTMPL_TYPES
.keys())),
1337 'default_key': 'default',
1338 }, help='Output filename template; see "OUTPUT TEMPLATE" for details')
1339 filesystem
.add_option(
1340 '--output-na-placeholder',
1341 dest
='outtmpl_na_placeholder', metavar
='TEXT', default
='NA',
1342 help=('Placeholder for unavailable fields in --output (default: "%default")'))
1343 filesystem
.add_option(
1344 '--autonumber-size',
1345 dest
='autonumber_size', metavar
='NUMBER', type=int,
1346 help=optparse
.SUPPRESS_HELP
)
1347 filesystem
.add_option(
1348 '--autonumber-start',
1349 dest
='autonumber_start', metavar
='NUMBER', default
=1, type=int,
1350 help=optparse
.SUPPRESS_HELP
)
1351 filesystem
.add_option(
1352 '--restrict-filenames',
1353 action
='store_true', dest
='restrictfilenames', default
=False,
1354 help='Restrict filenames to only ASCII characters, and avoid "&" and spaces in filenames')
1355 filesystem
.add_option(
1356 '--no-restrict-filenames',
1357 action
='store_false', dest
='restrictfilenames',
1358 help='Allow Unicode characters, "&" and spaces in filenames (default)')
1359 filesystem
.add_option(
1360 '--windows-filenames',
1361 action
='store_true', dest
='windowsfilenames', default
=False,
1362 help='Force filenames to be Windows-compatible')
1363 filesystem
.add_option(
1364 '--no-windows-filenames',
1365 action
='store_false', dest
='windowsfilenames',
1366 help='Make filenames Windows-compatible only if using Windows (default)')
1367 filesystem
.add_option(
1368 '--trim-filenames', '--trim-file-names', metavar
='LENGTH',
1369 dest
='trim_file_name', default
=0, type=int,
1370 help='Limit the filename length (excluding extension) to the specified number of characters')
1371 filesystem
.add_option(
1372 '-w', '--no-overwrites',
1373 action
='store_false', dest
='overwrites', default
=None,
1374 help='Do not overwrite any files')
1375 filesystem
.add_option(
1376 '--force-overwrites', '--yes-overwrites',
1377 action
='store_true', dest
='overwrites',
1378 help='Overwrite all video and metadata files. This option includes --no-continue')
1379 filesystem
.add_option(
1380 '--no-force-overwrites',
1381 action
='store_const', dest
='overwrites', const
=None,
1382 help='Do not overwrite the video, but overwrite related files (default)')
1383 filesystem
.add_option(
1385 action
='store_true', dest
='continue_dl', default
=True,
1386 help='Resume partially downloaded files/fragments (default)')
1387 filesystem
.add_option(
1389 action
='store_false', dest
='continue_dl',
1391 'Do not resume partially downloaded fragments. '
1392 'If the file is not fragmented, restart download of the entire file'))
1393 filesystem
.add_option(
1395 action
='store_false', dest
='nopart', default
=False,
1396 help='Use .part files instead of writing directly into output file (default)')
1397 filesystem
.add_option(
1399 action
='store_true', dest
='nopart',
1400 help='Do not use .part files - write directly into output file')
1401 filesystem
.add_option(
1403 action
='store_true', dest
='updatetime', default
=True,
1404 help='Use the Last-modified header to set the file modification time (default)')
1405 filesystem
.add_option(
1407 action
='store_false', dest
='updatetime',
1408 help='Do not use the Last-modified header to set the file modification time')
1409 filesystem
.add_option(
1410 '--write-description',
1411 action
='store_true', dest
='writedescription', default
=False,
1412 help='Write video description to a .description file')
1413 filesystem
.add_option(
1414 '--no-write-description',
1415 action
='store_false', dest
='writedescription',
1416 help='Do not write video description (default)')
1417 filesystem
.add_option(
1418 '--write-info-json',
1419 action
='store_true', dest
='writeinfojson', default
=None,
1420 help='Write video metadata to a .info.json file (this may contain personal information)')
1421 filesystem
.add_option(
1422 '--no-write-info-json',
1423 action
='store_false', dest
='writeinfojson',
1424 help='Do not write video metadata (default)')
1425 filesystem
.add_option(
1426 '--write-annotations',
1427 action
='store_true', dest
='writeannotations', default
=False,
1428 help=optparse
.SUPPRESS_HELP
)
1429 filesystem
.add_option(
1430 '--no-write-annotations',
1431 action
='store_false', dest
='writeannotations',
1432 help=optparse
.SUPPRESS_HELP
)
1433 filesystem
.add_option(
1434 '--write-playlist-metafiles',
1435 action
='store_true', dest
='allow_playlist_files', default
=None,
1437 'Write playlist metadata in addition to the video metadata '
1438 'when using --write-info-json, --write-description etc. (default)'))
1439 filesystem
.add_option(
1440 '--no-write-playlist-metafiles',
1441 action
='store_false', dest
='allow_playlist_files',
1442 help='Do not write playlist metadata when using --write-info-json, --write-description etc.')
1443 filesystem
.add_option(
1444 '--clean-info-json', '--clean-infojson',
1445 action
='store_true', dest
='clean_infojson', default
=None,
1447 'Remove some internal metadata such as filenames from the infojson (default)'))
1448 filesystem
.add_option(
1449 '--no-clean-info-json', '--no-clean-infojson',
1450 action
='store_false', dest
='clean_infojson',
1451 help='Write all fields to the infojson')
1452 filesystem
.add_option(
1453 '--write-comments', '--get-comments',
1454 action
='store_true', dest
='getcomments', default
=False,
1456 'Retrieve video comments to be placed in the infojson. '
1457 'The comments are fetched even without this option if the extraction is known to be quick (Alias: --get-comments)'))
1458 filesystem
.add_option(
1459 '--no-write-comments', '--no-get-comments',
1460 action
='store_false', dest
='getcomments',
1461 help='Do not retrieve video comments unless the extraction is known to be quick (Alias: --no-get-comments)')
1462 filesystem
.add_option(
1463 '--load-info-json', '--load-info',
1464 dest
='load_info_filename', metavar
='FILE',
1465 help='JSON file containing the video information (created with the "--write-info-json" option)')
1466 filesystem
.add_option(
1468 dest
='cookiefile', metavar
='FILE',
1469 help='Netscape formatted file to read cookies from and dump cookie jar in')
1470 filesystem
.add_option(
1472 action
='store_const', const
=None, dest
='cookiefile', metavar
='FILE',
1473 help='Do not read/dump cookies from/to file (default)')
1474 filesystem
.add_option(
1475 '--cookies-from-browser',
1476 dest
='cookiesfrombrowser', metavar
='BROWSER[+KEYRING][:PROFILE][::CONTAINER]',
1478 'The name of the browser to load cookies from. '
1479 f
'Currently supported browsers are: {", ".join(sorted(SUPPORTED_BROWSERS))}. '
1480 'Optionally, the KEYRING used for decrypting Chromium cookies on Linux, '
1481 'the name/path of the PROFILE to load cookies from, '
1482 'and the CONTAINER name (if Firefox) ("none" for no container) '
1483 'can be given with their respective separators. '
1484 'By default, all containers of the most recently accessed profile are used. '
1485 f
'Currently supported keyrings are: {", ".join(map(str.lower, sorted(SUPPORTED_KEYRINGS)))}'))
1486 filesystem
.add_option(
1487 '--no-cookies-from-browser',
1488 action
='store_const', const
=None, dest
='cookiesfrombrowser',
1489 help='Do not load cookies from browser (default)')
1490 filesystem
.add_option(
1491 '--cache-dir', dest
='cachedir', default
=None, metavar
='DIR',
1493 'Location in the filesystem where yt-dlp can store some downloaded information '
1494 '(such as client ids and signatures) permanently. By default ${XDG_CACHE_HOME}/yt-dlp'))
1495 filesystem
.add_option(
1496 '--no-cache-dir', action
='store_false', dest
='cachedir',
1497 help='Disable filesystem caching')
1498 filesystem
.add_option(
1500 action
='store_true', dest
='rm_cachedir',
1501 help='Delete all filesystem cache files')
1503 thumbnail
= optparse
.OptionGroup(parser
, 'Thumbnail Options')
1504 thumbnail
.add_option(
1505 '--write-thumbnail',
1506 action
='callback', dest
='writethumbnail', default
=False,
1507 # Should override --no-write-thumbnail, but not --write-all-thumbnail
1508 callback
=lambda option
, _
, __
, parser
: setattr(
1509 parser
.values
, option
.dest
, getattr(parser
.values
, option
.dest
) or True),
1510 help='Write thumbnail image to disk')
1511 thumbnail
.add_option(
1512 '--no-write-thumbnail',
1513 action
='store_false', dest
='writethumbnail',
1514 help='Do not write thumbnail image to disk (default)')
1515 thumbnail
.add_option(
1516 '--write-all-thumbnails',
1517 action
='store_const', dest
='writethumbnail', const
='all',
1518 help='Write all thumbnail image formats to disk')
1519 thumbnail
.add_option(
1520 '--list-thumbnails',
1521 action
='store_true', dest
='list_thumbnails', default
=False,
1522 help='List available thumbnails of each video. Simulate unless --no-simulate is used')
1524 link
= optparse
.OptionGroup(parser
, 'Internet Shortcut Options')
1527 action
='store_true', dest
='writelink', default
=False,
1528 help='Write an internet shortcut file, depending on the current platform (.url, .webloc or .desktop). The URL may be cached by the OS')
1531 action
='store_true', dest
='writeurllink', default
=False,
1532 help='Write a .url Windows internet shortcut. The OS caches the URL based on the file path')
1534 '--write-webloc-link',
1535 action
='store_true', dest
='writewebloclink', default
=False,
1536 help='Write a .webloc macOS internet shortcut')
1538 '--write-desktop-link',
1539 action
='store_true', dest
='writedesktoplink', default
=False,
1540 help='Write a .desktop Linux internet shortcut')
1542 postproc
= optparse
.OptionGroup(parser
, 'Post-Processing Options')
1543 postproc
.add_option(
1544 '-x', '--extract-audio',
1545 action
='store_true', dest
='extractaudio', default
=False,
1546 help='Convert video files to audio-only files (requires ffmpeg and ffprobe)')
1547 postproc
.add_option(
1548 '--audio-format', metavar
='FORMAT', dest
='audioformat', default
='best',
1550 'Format to convert the audio to when -x is used. '
1551 f
'(currently supported: best (default), {", ".join(sorted(FFmpegExtractAudioPP.SUPPORTED_EXTS))}). '
1552 'You can specify multiple rules using similar syntax as --remux-video'))
1553 postproc
.add_option(
1554 '--audio-quality', metavar
='QUALITY',
1555 dest
='audioquality', default
='5',
1557 'Specify ffmpeg audio quality to use when converting the audio with -x. '
1558 'Insert a value between 0 (best) and 10 (worst) for VBR or a specific bitrate like 128K (default %default)'))
1559 postproc
.add_option(
1561 metavar
='FORMAT', dest
='remuxvideo', default
=None,
1563 'Remux the video into another container if necessary '
1564 f
'(currently supported: {", ".join(FFmpegVideoRemuxerPP.SUPPORTED_EXTS)}). '
1565 'If target container does not support the video/audio codec, remuxing will fail. You can specify multiple rules; '
1566 'e.g. "aac>m4a/mov>mp4/mkv" will remux aac to m4a, mov to mp4 and anything else to mkv'))
1567 postproc
.add_option(
1569 metavar
='FORMAT', dest
='recodevideo', default
=None,
1570 help='Re-encode the video into another format if necessary. The syntax and supported formats are the same as --remux-video')
1571 postproc
.add_option(
1572 '--postprocessor-args', '--ppa',
1573 metavar
='NAME:ARGS', dest
='postprocessor_args', default
={}, type='str',
1574 action
='callback', callback
=_dict_from_options_callback
,
1576 'allowed_keys': r
'\w+(?:\+\w+)?',
1577 'default_key': 'default-compat',
1578 'process': shlex
.split
,
1579 'multiple_keys': False,
1581 'Give these arguments to the postprocessors. '
1582 'Specify the postprocessor/executable name and the arguments separated by a colon ":" '
1583 'to give the argument to the specified postprocessor/executable. Supported PP are: '
1584 'Merger, ModifyChapters, SplitChapters, ExtractAudio, VideoRemuxer, VideoConvertor, '
1585 'Metadata, EmbedSubtitle, EmbedThumbnail, SubtitlesConvertor, ThumbnailsConvertor, '
1586 'FixupStretched, FixupM4a, FixupM3u8, FixupTimestamp and FixupDuration. '
1587 'The supported executables are: AtomicParsley, FFmpeg and FFprobe. '
1588 'You can also specify "PP+EXE:ARGS" to give the arguments to the specified executable '
1589 'only when being used by the specified postprocessor. Additionally, for ffmpeg/ffprobe, '
1590 '"_i"/"_o" can be appended to the prefix optionally followed by a number to pass the argument '
1591 'before the specified input/output file, e.g. --ppa "Merger+ffmpeg_i1:-v quiet". '
1592 'You can use this option multiple times to give different arguments to different '
1593 'postprocessors. (Alias: --ppa)'))
1594 postproc
.add_option(
1595 '-k', '--keep-video',
1596 action
='store_true', dest
='keepvideo', default
=False,
1597 help='Keep the intermediate video file on disk after post-processing')
1598 postproc
.add_option(
1600 action
='store_false', dest
='keepvideo',
1601 help='Delete the intermediate video file after post-processing (default)')
1602 postproc
.add_option(
1603 '--post-overwrites',
1604 action
='store_false', dest
='nopostoverwrites',
1605 help='Overwrite post-processed files (default)')
1606 postproc
.add_option(
1607 '--no-post-overwrites',
1608 action
='store_true', dest
='nopostoverwrites', default
=False,
1609 help='Do not overwrite post-processed files')
1610 postproc
.add_option(
1612 action
='store_true', dest
='embedsubtitles', default
=False,
1613 help='Embed subtitles in the video (only for mp4, webm and mkv videos)')
1614 postproc
.add_option(
1616 action
='store_false', dest
='embedsubtitles',
1617 help='Do not embed subtitles (default)')
1618 postproc
.add_option(
1619 '--embed-thumbnail',
1620 action
='store_true', dest
='embedthumbnail', default
=False,
1621 help='Embed thumbnail in the video as cover art')
1622 postproc
.add_option(
1623 '--no-embed-thumbnail',
1624 action
='store_false', dest
='embedthumbnail',
1625 help='Do not embed thumbnail (default)')
1626 postproc
.add_option(
1627 '--embed-metadata', '--add-metadata',
1628 action
='store_true', dest
='addmetadata', default
=False,
1630 'Embed metadata to the video file. Also embeds chapters/infojson if present '
1631 'unless --no-embed-chapters/--no-embed-info-json are used (Alias: --add-metadata)'))
1632 postproc
.add_option(
1633 '--no-embed-metadata', '--no-add-metadata',
1634 action
='store_false', dest
='addmetadata',
1635 help='Do not add metadata to file (default) (Alias: --no-add-metadata)')
1636 postproc
.add_option(
1637 '--embed-chapters', '--add-chapters',
1638 action
='store_true', dest
='addchapters', default
=None,
1639 help='Add chapter markers to the video file (Alias: --add-chapters)')
1640 postproc
.add_option(
1641 '--no-embed-chapters', '--no-add-chapters',
1642 action
='store_false', dest
='addchapters',
1643 help='Do not add chapter markers (default) (Alias: --no-add-chapters)')
1644 postproc
.add_option(
1645 '--embed-info-json',
1646 action
='store_true', dest
='embed_infojson', default
=None,
1647 help='Embed the infojson as an attachment to mkv/mka video files')
1648 postproc
.add_option(
1649 '--no-embed-info-json',
1650 action
='store_false', dest
='embed_infojson',
1651 help='Do not embed the infojson as an attachment to the video file')
1652 postproc
.add_option(
1653 '--metadata-from-title',
1654 metavar
='FORMAT', dest
='metafromtitle',
1655 help=optparse
.SUPPRESS_HELP
)
1656 postproc
.add_option(
1658 metavar
='[WHEN:]FROM:TO', dest
='parse_metadata', **when_prefix('pre_process'),
1660 'Parse additional metadata like title/artist from other fields; see "MODIFYING METADATA" for details. '
1661 'Supported values of "WHEN" are the same as that of --use-postprocessor (default: pre_process)'))
1662 postproc
.add_option(
1663 '--replace-in-metadata',
1664 dest
='parse_metadata', metavar
='[WHEN:]FIELDS REGEX REPLACE', nargs
=3, **when_prefix('pre_process'),
1666 'Replace text in a metadata field using the given regex. This option can be used multiple times. '
1667 'Supported values of "WHEN" are the same as that of --use-postprocessor (default: pre_process)'))
1668 postproc
.add_option(
1669 '--xattrs', '--xattr',
1670 action
='store_true', dest
='xattrs', default
=False,
1671 help='Write metadata to the video file\'s xattrs (using dublin core and xdg standards)')
1672 postproc
.add_option(
1673 '--concat-playlist',
1674 metavar
='POLICY', dest
='concat_playlist', default
='multi_video',
1675 choices
=('never', 'always', 'multi_video'),
1677 'Concatenate videos in a playlist. One of "never", "always", or '
1678 '"multi_video" (default; only when the videos form a single show). '
1679 'All the video files must have same codecs and number of streams to be concatable. '
1680 'The "pl_video:" prefix can be used with "--paths" and "--output" to '
1681 'set the output filename for the concatenated files. See "OUTPUT TEMPLATE" for details'))
1682 postproc
.add_option(
1684 metavar
='POLICY', dest
='fixup', default
=None,
1685 choices
=('never', 'ignore', 'warn', 'detect_or_warn', 'force'),
1687 'Automatically correct known faults of the file. '
1688 'One of never (do nothing), warn (only emit a warning), '
1689 'detect_or_warn (the default; fix file if we can, warn otherwise), '
1690 'force (try fixing even if file already exists)'))
1691 postproc
.add_option(
1692 '--prefer-avconv', '--no-prefer-ffmpeg',
1693 action
='store_false', dest
='prefer_ffmpeg',
1694 help=optparse
.SUPPRESS_HELP
)
1695 postproc
.add_option(
1696 '--prefer-ffmpeg', '--no-prefer-avconv',
1697 action
='store_true', dest
='prefer_ffmpeg', default
=True,
1698 help=optparse
.SUPPRESS_HELP
)
1699 postproc
.add_option(
1700 '--ffmpeg-location', '--avconv-location', metavar
='PATH',
1701 dest
='ffmpeg_location',
1702 help='Location of the ffmpeg binary; either the path to the binary or its containing directory')
1703 postproc
.add_option(
1705 metavar
='[WHEN:]CMD', dest
='exec_cmd', **when_prefix('after_move'),
1707 'Execute a command, optionally prefixed with when to execute it, separated by a ":". '
1708 'Supported values of "WHEN" are the same as that of --use-postprocessor (default: after_move). '
1709 'Same syntax as the output template can be used to pass any field as arguments to the command. '
1710 'If no fields are passed, %(filepath,_filename|)q is appended to the end of the command. '
1711 'This option can be used multiple times'))
1712 postproc
.add_option(
1714 action
='store_const', dest
='exec_cmd', const
={},
1715 help='Remove any previously defined --exec')
1716 postproc
.add_option(
1717 '--exec-before-download', metavar
='CMD',
1718 action
='append', dest
='exec_before_dl_cmd',
1719 help=optparse
.SUPPRESS_HELP
)
1720 postproc
.add_option(
1721 '--no-exec-before-download',
1722 action
='store_const', dest
='exec_before_dl_cmd', const
=None,
1723 help=optparse
.SUPPRESS_HELP
)
1724 postproc
.add_option(
1725 '--convert-subs', '--convert-sub', '--convert-subtitles',
1726 metavar
='FORMAT', dest
='convertsubtitles', default
=None,
1728 'Convert the subtitles to another format (currently supported: {}) '
1729 '(Alias: --convert-subtitles)'.format(', '.join(sorted(FFmpegSubtitlesConvertorPP
.SUPPORTED_EXTS
)))))
1730 postproc
.add_option(
1731 '--convert-thumbnails',
1732 metavar
='FORMAT', dest
='convertthumbnails', default
=None,
1734 'Convert the thumbnails to another format '
1735 f
'(currently supported: {", ".join(sorted(FFmpegThumbnailsConvertorPP.SUPPORTED_EXTS))}). '
1736 'You can specify multiple rules using similar syntax as --remux-video'))
1737 postproc
.add_option(
1738 '--split-chapters', '--split-tracks',
1739 dest
='split_chapters', action
='store_true', default
=False,
1741 'Split video into multiple files based on internal chapters. '
1742 'The "chapter:" prefix can be used with "--paths" and "--output" to '
1743 'set the output filename for the split files. See "OUTPUT TEMPLATE" for details'))
1744 postproc
.add_option(
1745 '--no-split-chapters', '--no-split-tracks',
1746 dest
='split_chapters', action
='store_false',
1747 help='Do not split video based on chapters (default)')
1748 postproc
.add_option(
1749 '--remove-chapters',
1750 metavar
='REGEX', dest
='remove_chapters', action
='append',
1752 'Remove chapters whose title matches the given regular expression. '
1753 'The syntax is the same as --download-sections. This option can be used multiple times'))
1754 postproc
.add_option(
1755 '--no-remove-chapters', dest
='remove_chapters', action
='store_const', const
=None,
1756 help='Do not remove any chapters from the file (default)')
1757 postproc
.add_option(
1758 '--force-keyframes-at-cuts',
1759 action
='store_true', dest
='force_keyframes_at_cuts', default
=False,
1761 'Force keyframes at cuts when downloading/splitting/removing sections. '
1762 'This is slow due to needing a re-encode, but the resulting video may have fewer artifacts around the cuts'))
1763 postproc
.add_option(
1764 '--no-force-keyframes-at-cuts',
1765 action
='store_false', dest
='force_keyframes_at_cuts',
1766 help='Do not force keyframes around the chapters when cutting/splitting (default)')
1767 _postprocessor_opts_parser
= lambda key
, val
='': (
1768 *(item
.split('=', 1) for item
in (val
.split(';') if val
else [])),
1769 ('key', remove_end(key
, 'PP')))
1770 postproc
.add_option(
1771 '--use-postprocessor',
1772 metavar
='NAME[:ARGS]', dest
='add_postprocessors', default
=[], type='str',
1773 action
='callback', callback
=_list_from_options_callback
,
1776 'process': lambda val
: dict(_postprocessor_opts_parser(*val
.split(':', 1))),
1778 'The (case sensitive) name of plugin postprocessors to be enabled, '
1779 'and (optionally) arguments to be passed to it, separated by a colon ":". '
1780 'ARGS are a semicolon ";" delimited list of NAME=VALUE. '
1781 'The "when" argument determines when the postprocessor is invoked. '
1782 'It can be one of "pre_process" (after video extraction), "after_filter" (after video passes filter), '
1783 '"video" (after --format; before --print/--output), "before_dl" (before each video download), '
1784 '"post_process" (after each video download; default), '
1785 '"after_move" (after moving video file to its final locations), '
1786 '"after_video" (after downloading and processing all formats of a video), '
1787 'or "playlist" (at end of playlist). '
1788 'This option can be used multiple times to add different postprocessors'))
1790 sponsorblock
= optparse
.OptionGroup(parser
, 'SponsorBlock Options', description
=(
1791 'Make chapter entries for, or remove various segments (sponsor, introductions, etc.) '
1792 'from downloaded YouTube videos using the SponsorBlock API (https://sponsor.ajay.app)'))
1793 sponsorblock
.add_option(
1794 '--sponsorblock-mark', metavar
='CATS',
1795 dest
='sponsorblock_mark', default
=set(), action
='callback', type='str',
1796 callback
=_set_from_options_callback
, callback_kwargs
={
1797 'allowed_values': SponsorBlockPP
.CATEGORIES
.keys(),
1798 'aliases': {'default': ['all']},
1800 'SponsorBlock categories to create chapters for, separated by commas. '
1801 f
'Available categories are {", ".join(SponsorBlockPP.CATEGORIES.keys())}, all and default (=all). '
1802 'You can prefix the category with a "-" to exclude it. See [1] for description of the categories. '
1803 'E.g. --sponsorblock-mark all,-preview [1] https://wiki.sponsor.ajay.app/w/Segment_Categories'))
1804 sponsorblock
.add_option(
1805 '--sponsorblock-remove', metavar
='CATS',
1806 dest
='sponsorblock_remove', default
=set(), action
='callback', type='str',
1807 callback
=_set_from_options_callback
, callback_kwargs
={
1808 'allowed_values': set(SponsorBlockPP
.CATEGORIES
.keys()) - set(SponsorBlockPP
.NON_SKIPPABLE_CATEGORIES
.keys()),
1809 # Note: From https://wiki.sponsor.ajay.app/w/Types:
1810 # The filler category is very aggressive.
1811 # It is strongly recommended to not use this in a client by default.
1812 'aliases': {'default': ['all', '-filler']},
1814 'SponsorBlock categories to be removed from the video file, separated by commas. '
1815 'If a category is present in both mark and remove, remove takes precedence. '
1816 'The syntax and available categories are the same as for --sponsorblock-mark '
1817 'except that "default" refers to "all,-filler" '
1818 f
'and {", ".join(SponsorBlockPP.NON_SKIPPABLE_CATEGORIES.keys())} are not available'))
1819 sponsorblock
.add_option(
1820 '--sponsorblock-chapter-title', metavar
='TEMPLATE',
1821 default
=DEFAULT_SPONSORBLOCK_CHAPTER_TITLE
, dest
='sponsorblock_chapter_title',
1823 'An output template for the title of the SponsorBlock chapters created by --sponsorblock-mark. '
1824 'The only available fields are start_time, end_time, category, categories, name, category_names. '
1825 'Defaults to "%default"'))
1826 sponsorblock
.add_option(
1827 '--no-sponsorblock', default
=False,
1828 action
='store_true', dest
='no_sponsorblock',
1829 help='Disable both --sponsorblock-mark and --sponsorblock-remove')
1830 sponsorblock
.add_option(
1831 '--sponsorblock-api', metavar
='URL',
1832 default
='https://sponsor.ajay.app', dest
='sponsorblock_api',
1833 help='SponsorBlock API location, defaults to %default')
1835 sponsorblock
.add_option(
1837 action
='store_true', dest
='sponskrub', default
=False,
1838 help=optparse
.SUPPRESS_HELP
)
1839 sponsorblock
.add_option(
1841 action
='store_false', dest
='sponskrub',
1842 help=optparse
.SUPPRESS_HELP
)
1843 sponsorblock
.add_option(
1844 '--sponskrub-cut', default
=False,
1845 action
='store_true', dest
='sponskrub_cut',
1846 help=optparse
.SUPPRESS_HELP
)
1847 sponsorblock
.add_option(
1848 '--no-sponskrub-cut',
1849 action
='store_false', dest
='sponskrub_cut',
1850 help=optparse
.SUPPRESS_HELP
)
1851 sponsorblock
.add_option(
1852 '--sponskrub-force', default
=False,
1853 action
='store_true', dest
='sponskrub_force',
1854 help=optparse
.SUPPRESS_HELP
)
1855 sponsorblock
.add_option(
1856 '--no-sponskrub-force',
1857 action
='store_true', dest
='sponskrub_force',
1858 help=optparse
.SUPPRESS_HELP
)
1859 sponsorblock
.add_option(
1860 '--sponskrub-location', metavar
='PATH',
1861 dest
='sponskrub_path', default
='',
1862 help=optparse
.SUPPRESS_HELP
)
1863 sponsorblock
.add_option(
1864 '--sponskrub-args', dest
='sponskrub_args', metavar
='ARGS',
1865 help=optparse
.SUPPRESS_HELP
)
1867 extractor
= optparse
.OptionGroup(parser
, 'Extractor Options')
1868 extractor
.add_option(
1869 '--extractor-retries',
1870 dest
='extractor_retries', metavar
='RETRIES', default
=3,
1871 help='Number of retries for known extractor errors (default is %default), or "infinite"')
1872 extractor
.add_option(
1873 '--allow-dynamic-mpd', '--no-ignore-dynamic-mpd',
1874 action
='store_true', dest
='dynamic_mpd', default
=True,
1875 help='Process dynamic DASH manifests (default) (Alias: --no-ignore-dynamic-mpd)')
1876 extractor
.add_option(
1877 '--ignore-dynamic-mpd', '--no-allow-dynamic-mpd',
1878 action
='store_false', dest
='dynamic_mpd',
1879 help='Do not process dynamic DASH manifests (Alias: --no-allow-dynamic-mpd)')
1880 extractor
.add_option(
1881 '--hls-split-discontinuity',
1882 dest
='hls_split_discontinuity', action
='store_true', default
=False,
1883 help='Split HLS playlists to different formats at discontinuities such as ad breaks',
1885 extractor
.add_option(
1886 '--no-hls-split-discontinuity',
1887 dest
='hls_split_discontinuity', action
='store_false',
1888 help='Do not split HLS playlists to different formats at discontinuities such as ad breaks (default)')
1889 _extractor_arg_parser
= lambda key
, vals
='': (key
.strip().lower().replace('-', '_'), [
1890 val
.replace(r
'\,', ',').strip() for val
in re
.split(r
'(?<!\\),', vals
)])
1891 extractor
.add_option(
1893 metavar
='IE_KEY:ARGS', dest
='extractor_args', default
={}, type='str',
1894 action
='callback', callback
=_dict_from_options_callback
,
1896 'multiple_keys': False,
1897 'process': lambda val
: dict(
1898 _extractor_arg_parser(*arg
.split('=', 1)) for arg
in val
.split(';')),
1900 'Pass ARGS arguments to the IE_KEY extractor. See "EXTRACTOR ARGUMENTS" for details. '
1901 'You can use this option multiple times to give arguments for different extractors'))
1902 extractor
.add_option(
1903 '--youtube-include-dash-manifest', '--no-youtube-skip-dash-manifest',
1904 action
='store_true', dest
='youtube_include_dash_manifest', default
=True,
1905 help=optparse
.SUPPRESS_HELP
)
1906 extractor
.add_option(
1907 '--youtube-skip-dash-manifest', '--no-youtube-include-dash-manifest',
1908 action
='store_false', dest
='youtube_include_dash_manifest',
1909 help=optparse
.SUPPRESS_HELP
)
1910 extractor
.add_option(
1911 '--youtube-include-hls-manifest', '--no-youtube-skip-hls-manifest',
1912 action
='store_true', dest
='youtube_include_hls_manifest', default
=True,
1913 help=optparse
.SUPPRESS_HELP
)
1914 extractor
.add_option(
1915 '--youtube-skip-hls-manifest', '--no-youtube-include-hls-manifest',
1916 action
='store_false', dest
='youtube_include_hls_manifest',
1917 help=optparse
.SUPPRESS_HELP
)
1919 parser
.add_option_group(general
)
1920 parser
.add_option_group(network
)
1921 parser
.add_option_group(geo
)
1922 parser
.add_option_group(selection
)
1923 parser
.add_option_group(downloader
)
1924 parser
.add_option_group(filesystem
)
1925 parser
.add_option_group(thumbnail
)
1926 parser
.add_option_group(link
)
1927 parser
.add_option_group(verbosity
)
1928 parser
.add_option_group(workarounds
)
1929 parser
.add_option_group(video_format
)
1930 parser
.add_option_group(subtitles
)
1931 parser
.add_option_group(authentication
)
1932 parser
.add_option_group(postproc
)
1933 parser
.add_option_group(sponsorblock
)
1934 parser
.add_option_group(extractor
)
1939 def _hide_login_info(opts
):
1940 deprecation_warning(f
'"{__name__}._hide_login_info" is deprecated and may be removed '
1941 'in a future version. Use "yt_dlp.utils.Config.hide_login_info" instead')
1942 return Config
.hide_login_info(opts
)