Merge remote-tracking branch 'rupertbaxter2/master'
authorPhilipp Hagemeister <phihag@phihag.de>
Fri, 23 Jan 2015 11:05:01 +0000 (12:05 +0100)
committerPhilipp Hagemeister <phihag@phihag.de>
Fri, 23 Jan 2015 11:05:01 +0000 (12:05 +0100)
Conflicts:
youtube_dl/__init__.py
youtube_dl/downloader/common.py

1  2 
youtube_dl/YoutubeDL.py
youtube_dl/__init__.py
youtube_dl/downloader/common.py
youtube_dl/options.py

diff --combined youtube_dl/YoutubeDL.py
index 8ef74e4145ed79263c7fe2347430dd56fbce3f34,14a1d06ab1ed3350547822cac71501745a14842a..8f34b17b4135ff26263e52fc8e9e0badc197680d
@@@ -7,10 -7,8 +7,10 @@@ import collection
  import datetime
  import errno
  import io
 +import itertools
  import json
  import locale
 +import operator
  import os
  import platform
  import re
@@@ -24,17 -22,12 +24,17 @@@ import tracebac
  if os.name == 'nt':
      import ctypes
  
 -from .utils import (
 +from .compat import (
      compat_cookiejar,
 +    compat_expanduser,
      compat_http_client,
 +    compat_kwargs,
      compat_str,
      compat_urllib_error,
      compat_urllib_request,
 +)
 +from .utils import (
 +    escape_url,
      ContentTooShortError,
      date_from_str,
      DateRange,
@@@ -50,7 -43,6 +50,7 @@@
      make_HTTPS_handler,
      MaxDownloadsReached,
      PagedList,
 +    parse_filesize,
      PostProcessingError,
      platform_name,
      preferredencoding,
      takewhile_inclusive,
      UnavailableVideoError,
      url_basename,
 +    version_tuple,
      write_json_file,
      write_string,
      YoutubeDLHandler,
      prepend_extension,
 +    args_to_str,
 +    age_restricted,
  )
 +from .cache import Cache
  from .extractor import get_info_extractor, gen_extractors
  from .downloader import get_suitable_downloader
 -from .postprocessor import FFmpegMergerPP
 +from .downloader.rtmp import rtmpdump_version
 +from .postprocessor import (
 +    FFmpegFixupStretchedPP,
 +    FFmpegMergerPP,
 +    FFmpegPostProcessor,
 +    get_postprocessor,
 +)
  from .version import __version__
  
  
@@@ -123,10 -105,8 +123,10 @@@ class YoutubeDL(object)
      forcefilename:     Force printing final filename.
      forceduration:     Force printing duration.
      forcejson:         Force printing info_dict as JSON.
 +    dump_single_json:  Force printing the info_dict of the whole playlist
 +                       (or video) as a single JSON line.
      simulate:          Do not download the video files.
 -    format:            Video format code.
 +    format:            Video format code. See options.py for more information.
      format_limit:      Highest quality format to try.
      outtmpl:           Template for output names.
      restrictfilenames: Do not allow "&" and spaces in file names
      nooverwrites:      Prevent overwriting files.
      playliststart:     Playlist item to start at.
      playlistend:       Playlist item to end at.
 +    playlistreverse:   Download playlist items in reverse order.
      matchtitle:        Download only matching titles.
      rejecttitle:       Reject downloads for matching titles.
      logger:            Log messages to a logging.Logger instance.
      daterange:         A DateRange object, download only if the upload_date is in the range.
      skip_download:     Skip the actual download of the video file
      cachedir:          Location of the cache files in the filesystem.
 -                       None to disable filesystem cache.
 +                       False to disable filesystem cache.
      noplaylist:        Download single video instead of a playlist if in doubt.
      age_limit:         An integer representing the user's age in years.
                         Unsuitable videos for the given age are skipped.
      default_search:    Prepend this string if an input url is not valid.
                         'auto' for elaborate guessing
      encoding:          Use this encoding instead of the system-specified.
 +    extract_flat:      Do not resolve URLs, return the immediate result.
 +                       Pass in 'in_playlist' to only show this behavior for
 +                       playlist items.
 +    postprocessors:    A list of dictionaries, each with an entry
 +                       * key:  The name of the postprocessor. See
 +                               youtube_dl/postprocessor/__init__.py for a list.
 +                       as well as any further keyword arguments for the
 +                       postprocessor.
 +    progress_hooks:    A list of functions that get called on download
 +                       progress, with a dictionary with the entries
 +                       * filename: The final filename
 +                       * status: One of "downloading" and "finished"
 +
 +                       The dict may also have some of the following entries:
 +
 +                       * downloaded_bytes: Bytes on disk
 +                       * total_bytes: Size of the whole file, None if unknown
 +                       * tmpfilename: The filename we're currently writing to
 +                       * eta: The estimated time in seconds, None if unknown
 +                       * speed: The download speed in bytes/second, None if
 +                                unknown
 +
 +                       Progress hooks are guaranteed to be called at least once
 +                       (with status "finished") if the download is successful.
 +    merge_output_format: Extension to use when merging formats.
 +    fixup:             Automatically correct known faults of the file.
 +                       One of:
 +                       - "never": do nothing
 +                       - "warn": only emit a warning
 +                       - "detect_or_warn": check whether we can do anything
 +                                           about it, warn otherwise
 +    source_address:    (Experimental) Client-side IP address to bind to.
 +    call_home:         Boolean, true iff we are allowed to contact the
 +                       youtube-dl servers for debugging.
++    sleep_interval:    Number of seconds to sleep before each download.
 +
  
      The following parameters are not used by YoutubeDL itself, they are used by
      the FileDownloader:
      The following options are used by the post processors:
      prefer_ffmpeg:     If True, use ffmpeg instead of avconv if both are available,
                         otherwise prefer avconv.
 +    exec_cmd:          Arbitrary command to run after downloading
      """
  
      params = None
      _num_downloads = None
      _screen_file = None
  
 -    def __init__(self, params=None):
 +    def __init__(self, params=None, auto_init=True):
          """Create a FileDownloader object with the given options."""
          if params is None:
              params = {}
          self._screen_file = [sys.stdout, sys.stderr][params.get('logtostderr', False)]
          self._err_file = sys.stderr
          self.params = params
 +        self.cache = Cache(self)
  
          if params.get('bidi_workaround', False):
              try:
  
          if (sys.version_info >= (3,) and sys.platform != 'win32' and
                  sys.getfilesystemencoding() in ['ascii', 'ANSI_X3.4-1968']
 -                and not params['restrictfilenames']):
 +                and not params.get('restrictfilenames', False)):
              # On Python 3, the Unicode filesystem API will throw errors (#1474)
              self.report_warning(
                  'Assuming --restrict-filenames since file system encoding '
 -                'cannot encode all charactes. '
 +                'cannot encode all characters. '
                  'Set the LC_ALL environment variable to fix this.')
              self.params['restrictfilenames'] = True
  
  
          self._setup_opener()
  
 +        if auto_init:
 +            self.print_debug_header()
 +            self.add_default_info_extractors()
 +
 +        for pp_def_raw in self.params.get('postprocessors', []):
 +            pp_class = get_postprocessor(pp_def_raw['key'])
 +            pp_def = dict(pp_def_raw)
 +            del pp_def['key']
 +            pp = pp_class(self, **compat_kwargs(pp_def))
 +            self.add_post_processor(pp)
 +
 +        for ph in self.params.get('progress_hooks', []):
 +            self.add_progress_hook(ph)
 +
 +    def warn_if_short_id(self, argv):
 +        # short YouTube ID starting with dash?
 +        idxs = [
 +            i for i, a in enumerate(argv)
 +            if re.match(r'^-[0-9A-Za-z_-]{10}$', a)]
 +        if idxs:
 +            correct_argv = (
 +                ['youtube-dl'] +
 +                [a for i, a in enumerate(argv) if i not in idxs] +
 +                ['--'] + [argv[i] for i in idxs]
 +            )
 +            self.report_warning(
 +                'Long argument string detected. '
 +                'Use -- to separate parameters and URLs, like this:\n%s\n' %
 +                args_to_str(correct_argv))
 +
      def add_info_extractor(self, ie):
          """Add an InfoExtractor object to the end of the list."""
          self._ies.append(ie)
          self._output_process.stdin.write((message + '\n').encode('utf-8'))
          self._output_process.stdin.flush()
          res = ''.join(self._output_channel.readline().decode('utf-8')
 -                       for _ in range(line_count))
 +                      for _ in range(line_count))
          return res[:-len('\n')]
  
      def to_screen(self, message, skip_eol=False):
              autonumber_templ = '%0' + str(autonumber_size) + 'd'
              template_dict['autonumber'] = autonumber_templ % self._num_downloads
              if template_dict.get('playlist_index') is not None:
 -                template_dict['playlist_index'] = '%05d' % template_dict['playlist_index']
 +                template_dict['playlist_index'] = '%0*d' % (len(str(template_dict['n_entries'])), template_dict['playlist_index'])
              if template_dict.get('resolution') is None:
                  if template_dict.get('width') and template_dict.get('height'):
                      template_dict['resolution'] = '%dx%d' % (template_dict['width'], template_dict['height'])
              template_dict = collections.defaultdict(lambda: 'NA', template_dict)
  
              outtmpl = self.params.get('outtmpl', DEFAULT_OUTTMPL)
 -            tmpl = os.path.expanduser(outtmpl)
 +            tmpl = compat_expanduser(outtmpl)
              filename = tmpl % template_dict
              return filename
          except ValueError as err:
              max_views = self.params.get('max_views')
              if max_views is not None and view_count > max_views:
                  return 'Skipping %s, because it has exceeded the maximum view count (%d/%d)' % (video_title, view_count, max_views)
 -        age_limit = self.params.get('age_limit')
 -        if age_limit is not None:
 -            if age_limit < info_dict.get('age_limit', 0):
 -                return 'Skipping "' + title + '" because it is age restricted'
 +        if age_restricted(info_dict.get('age_limit'), self.params.get('age_limit')):
 +            return 'Skipping "%s" because it is age restricted' % title
          if self.in_download_archive(info_dict):
              return '%s has already been recorded in archive' % video_title
          return None
  
              try:
                  ie_result = ie.extract(url)
 -                if ie_result is None: # Finished already (backwards compatibility; listformats and friends should be moved here)
 +                if ie_result is None:  # Finished already (backwards compatibility; listformats and friends should be moved here)
                      break
                  if isinstance(ie_result, list):
                      # Backwards compatibility: old IE result format
                      return self.process_ie_result(ie_result, download, extra_info)
                  else:
                      return ie_result
 -            except ExtractorError as de: # An error we somewhat expected
 +            except ExtractorError as de:  # An error we somewhat expected
                  self.report_error(compat_str(de), de.format_traceback())
                  break
              except MaxDownloadsReached:
          Returns the resolved ie_result.
          """
  
 -        result_type = ie_result.get('_type', 'video') # If not given we suppose it's a video, support the default old system
 +        result_type = ie_result.get('_type', 'video')
 +
 +        if result_type in ('url', 'url_transparent'):
 +            extract_flat = self.params.get('extract_flat', False)
 +            if ((extract_flat == 'in_playlist' and 'playlist' in extra_info) or
 +                    extract_flat is True):
 +                if self.params.get('forcejson', False):
 +                    self.to_stdout(json.dumps(ie_result))
 +                return ie_result
 +
          if result_type == 'video':
              self.add_extra_info(ie_result, extra_info)
              return self.process_video_result(ie_result, download=download)
                  ie_result['url'], ie_key=ie_result.get('ie_key'),
                  extra_info=extra_info, download=False, process=False)
  
 -            def make_result(embedded_info):
 -                new_result = ie_result.copy()
 -                for f in ('_type', 'url', 'ext', 'player_url', 'formats',
 -                          'entries', 'ie_key', 'duration',
 -                          'subtitles', 'annotations', 'format',
 -                          'thumbnail', 'thumbnails'):
 -                    if f in new_result:
 -                        del new_result[f]
 -                    if f in embedded_info:
 -                        new_result[f] = embedded_info[f]
 -                return new_result
 -            new_result = make_result(info)
 +            force_properties = dict(
 +                (k, v) for k, v in ie_result.items() if v is not None)
 +            for f in ('_type', 'url'):
 +                if f in force_properties:
 +                    del force_properties[f]
 +            new_result = info.copy()
 +            new_result.update(force_properties)
  
              assert new_result.get('_type') != 'url_transparent'
 -            if new_result.get('_type') == 'compat_list':
 -                new_result['entries'] = [
 -                    make_result(e) for e in new_result['entries']]
  
              return self.process_ie_result(
                  new_result, download=download, extra_info=extra_info)
 -        elif result_type == 'playlist':
 +        elif result_type == 'playlist' or result_type == 'multi_video':
              # We process each entry in the playlist
              playlist = ie_result.get('title', None) or ie_result.get('id', None)
              self.to_screen('[download] Downloading playlist: %s' % playlist)
              if playlistend == -1:
                  playlistend = None
  
 -            if isinstance(ie_result['entries'], list):
 -                n_all_entries = len(ie_result['entries'])
 -                entries = ie_result['entries'][playliststart:playlistend]
 +            ie_entries = ie_result['entries']
 +            if isinstance(ie_entries, list):
 +                n_all_entries = len(ie_entries)
 +                entries = ie_entries[playliststart:playlistend]
                  n_entries = len(entries)
                  self.to_screen(
                      "[%s] playlist %s: Collected %d video ids (downloading %d of them)" %
                      (ie_result['extractor'], playlist, n_all_entries, n_entries))
 -            else:
 -                assert isinstance(ie_result['entries'], PagedList)
 -                entries = ie_result['entries'].getslice(
 +            elif isinstance(ie_entries, PagedList):
 +                entries = ie_entries.getslice(
                      playliststart, playlistend)
                  n_entries = len(entries)
                  self.to_screen(
                      "[%s] playlist %s: Downloading %d videos" %
                      (ie_result['extractor'], playlist, n_entries))
 +            else:  # iterable
 +                entries = list(itertools.islice(
 +                    ie_entries, playliststart, playlistend))
 +                n_entries = len(entries)
 +                self.to_screen(
 +                    "[%s] playlist %s: Downloading %d videos" %
 +                    (ie_result['extractor'], playlist, n_entries))
 +
 +            if self.params.get('playlistreverse', False):
 +                entries = entries[::-1]
  
              for i, entry in enumerate(entries, 1):
 -                self.to_screen('[download] Downloading video #%s of %s' % (i, n_entries))
 +                self.to_screen('[download] Downloading video %s of %s' % (i, n_entries))
                  extra = {
 +                    'n_entries': n_entries,
                      'playlist': playlist,
 +                    'playlist_id': ie_result.get('id'),
 +                    'playlist_title': ie_result.get('title'),
                      'playlist_index': i + playliststart,
                      'extractor': ie_result['extractor'],
                      'webpage_url': ie_result['webpage_url'],
              ie_result['entries'] = playlist_results
              return ie_result
          elif result_type == 'compat_list':
 +            self.report_warning(
 +                'Extractor %s returned a compat_list result. '
 +                'It needs to be updated.' % ie_result.get('extractor'))
 +
              def _fixup(r):
 -                self.add_extra_info(r,
 +                self.add_extra_info(
 +                    r,
                      {
                          'extractor': ie_result['extractor'],
                          'webpage_url': ie_result['webpage_url'],
                          'webpage_url_basename': url_basename(ie_result['webpage_url']),
                          'extractor_key': ie_result['extractor_key'],
 -                    })
 +                    }
 +                )
                  return r
              ie_result['entries'] = [
                  self.process_ie_result(_fixup(r), download, extra_info)
          else:
              raise Exception('Invalid result type: %s' % result_type)
  
 +    def _apply_format_filter(self, format_spec, available_formats):
 +        " Returns a tuple of the remaining format_spec and filtered formats "
 +
 +        OPERATORS = {
 +            '<': operator.lt,
 +            '<=': operator.le,
 +            '>': operator.gt,
 +            '>=': operator.ge,
 +            '=': operator.eq,
 +            '!=': operator.ne,
 +        }
 +        operator_rex = re.compile(r'''(?x)\s*\[
 +            (?P<key>width|height|tbr|abr|vbr|filesize)
 +            \s*(?P<op>%s)(?P<none_inclusive>\s*\?)?\s*
 +            (?P<value>[0-9.]+(?:[kKmMgGtTpPeEzZyY]i?[Bb]?)?)
 +            \]$
 +            ''' % '|'.join(map(re.escape, OPERATORS.keys())))
 +        m = operator_rex.search(format_spec)
 +        if not m:
 +            raise ValueError('Invalid format specification %r' % format_spec)
 +
 +        try:
 +            comparison_value = int(m.group('value'))
 +        except ValueError:
 +            comparison_value = parse_filesize(m.group('value'))
 +            if comparison_value is None:
 +                comparison_value = parse_filesize(m.group('value') + 'B')
 +            if comparison_value is None:
 +                raise ValueError(
 +                    'Invalid value %r in format specification %r' % (
 +                        m.group('value'), format_spec))
 +        op = OPERATORS[m.group('op')]
 +
 +        def _filter(f):
 +            actual_value = f.get(m.group('key'))
 +            if actual_value is None:
 +                return m.group('none_inclusive')
 +            return op(actual_value, comparison_value)
 +        new_formats = [f for f in available_formats if _filter(f)]
 +
 +        new_format_spec = format_spec[:-len(m.group(0))]
 +        if not new_format_spec:
 +            new_format_spec = 'best'
 +
 +        return (new_format_spec, new_formats)
 +
      def select_format(self, format_spec, available_formats):
 +        while format_spec.endswith(']'):
 +            format_spec, available_formats = self._apply_format_filter(
 +                format_spec, available_formats)
 +        if not available_formats:
 +            return None
 +
          if format_spec == 'best' or format_spec is None:
              return available_formats[-1]
          elif format_spec == 'worst':
              if video_formats:
                  return video_formats[0]
          else:
 -            extensions = ['mp4', 'flv', 'webm', '3gp']
 +            extensions = ['mp4', 'flv', 'webm', '3gp', 'm4a', 'mp3', 'ogg', 'aac', 'wav']
              if format_spec in extensions:
                  filter_f = lambda f: f['ext'] == format_spec
              else:
              info_dict['display_id'] = info_dict['id']
  
          if info_dict.get('upload_date') is None and info_dict.get('timestamp') is not None:
 +            # Working around negative timestamps in Windows
 +            # (see http://bugs.python.org/issue1646728)
 +            if info_dict['timestamp'] < 0 and os.name == 'nt':
 +                info_dict['timestamp'] = 0
              upload_date = datetime.datetime.utcfromtimestamp(
                  info_dict['timestamp'])
              info_dict['upload_date'] = upload_date.strftime('%Y%m%d')
          if req_format in ('-1', 'all'):
              formats_to_download = formats
          else:
 -            # We can accept formats requested in the format: 34/5/best, we pick
 -            # the first that is available, starting from left
 -            req_formats = req_format.split('/')
 -            for rf in req_formats:
 -                if re.match(r'.+?\+.+?', rf) is not None:
 -                    # Two formats have been requested like '137+139'
 -                    format_1, format_2 = rf.split('+')
 -                    formats_info = (self.select_format(format_1, formats),
 -                        self.select_format(format_2, formats))
 -                    if all(formats_info):
 -                        selected_format = {
 -                            'requested_formats': formats_info,
 -                            'format': rf,
 -                            'ext': formats_info[0]['ext'],
 -                        }
 +            for rfstr in req_format.split(','):
 +                # We can accept formats requested in the format: 34/5/best, we pick
 +                # the first that is available, starting from left
 +                req_formats = rfstr.split('/')
 +                for rf in req_formats:
 +                    if re.match(r'.+?\+.+?', rf) is not None:
 +                        # Two formats have been requested like '137+139'
 +                        format_1, format_2 = rf.split('+')
 +                        formats_info = (self.select_format(format_1, formats),
 +                                        self.select_format(format_2, formats))
 +                        if all(formats_info):
 +                            # The first format must contain the video and the
 +                            # second the audio
 +                            if formats_info[0].get('vcodec') == 'none':
 +                                self.report_error('The first format must '
 +                                                  'contain the video, try using '
 +                                                  '"-f %s+%s"' % (format_2, format_1))
 +                                return
 +                            output_ext = (
 +                                formats_info[0]['ext']
 +                                if self.params.get('merge_output_format') is None
 +                                else self.params['merge_output_format'])
 +                            selected_format = {
 +                                'requested_formats': formats_info,
 +                                'format': rf,
 +                                'ext': formats_info[0]['ext'],
 +                                'width': formats_info[0].get('width'),
 +                                'height': formats_info[0].get('height'),
 +                                'resolution': formats_info[0].get('resolution'),
 +                                'fps': formats_info[0].get('fps'),
 +                                'vcodec': formats_info[0].get('vcodec'),
 +                                'vbr': formats_info[0].get('vbr'),
 +                                'stretched_ratio': formats_info[0].get('stretched_ratio'),
 +                                'acodec': formats_info[1].get('acodec'),
 +                                'abr': formats_info[1].get('abr'),
 +                                'ext': output_ext,
 +                            }
 +                        else:
 +                            selected_format = None
                      else:
 -                        selected_format = None
 -                else:
 -                    selected_format = self.select_format(rf, formats)
 -                if selected_format is not None:
 -                    formats_to_download = [selected_format]
 -                    break
 +                        selected_format = self.select_format(rf, formats)
 +                    if selected_format is not None:
 +                        formats_to_download.append(selected_format)
 +                        break
          if not formats_to_download:
              raise ExtractorError('requested format not available',
                                   expected=True)
          if self.params.get('forceid', False):
              self.to_stdout(info_dict['id'])
          if self.params.get('forceurl', False):
 -            # For RTMP URLs, also include the playpath
 -            self.to_stdout(info_dict['url'] + info_dict.get('play_path', ''))
 +            if info_dict.get('requested_formats') is not None:
 +                for f in info_dict['requested_formats']:
 +                    self.to_stdout(f['url'] + f.get('play_path', ''))
 +            else:
 +                # For RTMP URLs, also include the playpath
 +                self.to_stdout(info_dict['url'] + info_dict.get('play_path', ''))
          if self.params.get('forcethumbnail', False) and info_dict.get('thumbnail') is not None:
              self.to_stdout(info_dict['thumbnail'])
          if self.params.get('forcedescription', False) and info_dict.get('description') is not None:
          if self.params.get('forcejson', False):
              info_dict['_filename'] = filename
              self.to_stdout(json.dumps(info_dict))
 +        if self.params.get('dump_single_json', False):
 +            info_dict['_filename'] = filename
  
          # Do nothing else if in simulate mode
          if self.params.get('simulate', False):
              descfn = filename + '.description'
              if self.params.get('nooverwrites', False) and os.path.exists(encodeFilename(descfn)):
                  self.to_screen('[info] Video description is already present')
 +            elif info_dict.get('description') is None:
 +                self.report_warning('There\'s no description to write.')
              else:
                  try:
                      self.to_screen('[info] Writing video description to: ' + descfn)
                      with io.open(encodeFilename(descfn), 'w', encoding='utf-8') as descfile:
                          descfile.write(info_dict['description'])
 -                except (KeyError, TypeError):
 -                    self.report_warning('There\'s no description to write.')
                  except (OSError, IOError):
                      self.report_error('Cannot write description file ' + descfn)
                      return
                      else:
                          self.to_screen('[info] Writing video subtitles to: ' + sub_filename)
                          with io.open(encodeFilename(sub_filename), 'w', encoding='utf-8') as subfile:
 -                                subfile.write(sub)
 +                            subfile.write(sub)
                  except (OSError, IOError):
                      self.report_error('Cannot write subtitles file ' + sub_filename)
                      return
              else:
                  self.to_screen('[info] Writing video description metadata as JSON to: ' + infofn)
                  try:
 -                    write_json_file(info_dict, encodeFilename(infofn))
 +                    write_json_file(info_dict, infofn)
                  except (OSError, IOError):
                      self.report_error('Cannot write metadata to JSON file ' + infofn)
                      return
                          with open(thumb_filename, 'wb') as thumbf:
                              shutil.copyfileobj(uf, thumbf)
                          self.to_screen('[%s] %s: Writing thumbnail to: %s' %
 -                            (info_dict['extractor'], info_dict['id'], thumb_filename))
 +                                       (info_dict['extractor'], info_dict['id'], thumb_filename))
                      except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
                          self.report_warning('Unable to download thumbnail "%s": %s' %
 -                            (info_dict['thumbnail'], compat_str(err)))
 +                                            (info_dict['thumbnail'], compat_str(err)))
  
          if not self.params.get('skip_download', False):
 -            if self.params.get('nooverwrites', False) and os.path.exists(encodeFilename(filename)):
 -                success = True
 -            else:
 -                try:
 -                    def dl(name, info):
 -                        fd = get_suitable_downloader(info)(self, self.params)
 -                        for ph in self._progress_hooks:
 -                            fd.add_progress_hook(ph)
 -                        if self.params.get('verbose'):
 -                            self.to_stdout('[debug] Invoking downloader on %r' % info.get('url'))
 -                        return fd.download(name, info)
 -                    if info_dict.get('requested_formats') is not None:
 -                        downloaded = []
 -                        success = True
 -                        merger = FFmpegMergerPP(self, not self.params.get('keepvideo'))
 -                        if not merger._get_executable():
 -                            postprocessors = []
 -                            self.report_warning('You have requested multiple '
 -                                'formats but ffmpeg or avconv are not installed.'
 -                                ' The formats won\'t be merged')
 -                        else:
 -                            postprocessors = [merger]
 -                        for f in info_dict['requested_formats']:
 -                            new_info = dict(info_dict)
 -                            new_info.update(f)
 -                            fname = self.prepare_filename(new_info)
 -                            fname = prepend_extension(fname, 'f%s' % f['format_id'])
 -                            downloaded.append(fname)
 -                            partial_success = dl(fname, new_info)
 -                            success = success and partial_success
 -                        info_dict['__postprocessors'] = postprocessors
 -                        info_dict['__files_to_merge'] = downloaded
 +            try:
 +                def dl(name, info):
 +                    fd = get_suitable_downloader(info)(self, self.params)
 +                    for ph in self._progress_hooks:
 +                        fd.add_progress_hook(ph)
 +                    if self.params.get('verbose'):
 +                        self.to_stdout('[debug] Invoking downloader on %r' % info.get('url'))
 +                    return fd.download(name, info)
 +                if info_dict.get('requested_formats') is not None:
 +                    downloaded = []
 +                    success = True
 +                    merger = FFmpegMergerPP(self, not self.params.get('keepvideo'))
 +                    if not merger._executable:
 +                        postprocessors = []
 +                        self.report_warning('You have requested multiple '
 +                                            'formats but ffmpeg or avconv are not installed.'
 +                                            ' The formats won\'t be merged')
                      else:
 -                        # Just a single file
 -                        success = dl(filename, info_dict)
 -                except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
 -                    self.report_error('unable to download video data: %s' % str(err))
 -                    return
 -                except (OSError, IOError) as err:
 -                    raise UnavailableVideoError(err)
 -                except (ContentTooShortError, ) as err:
 -                    self.report_error('content too short (expected %s bytes and served %s)' % (err.expected, err.downloaded))
 -                    return
 +                        postprocessors = [merger]
 +                    for f in info_dict['requested_formats']:
 +                        new_info = dict(info_dict)
 +                        new_info.update(f)
 +                        fname = self.prepare_filename(new_info)
 +                        fname = prepend_extension(fname, 'f%s' % f['format_id'])
 +                        downloaded.append(fname)
 +                        partial_success = dl(fname, new_info)
 +                        success = success and partial_success
 +                    info_dict['__postprocessors'] = postprocessors
 +                    info_dict['__files_to_merge'] = downloaded
 +                else:
 +                    # Just a single file
 +                    success = dl(filename, info_dict)
 +            except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
 +                self.report_error('unable to download video data: %s' % str(err))
 +                return
 +            except (OSError, IOError) as err:
 +                raise UnavailableVideoError(err)
 +            except (ContentTooShortError, ) as err:
 +                self.report_error('content too short (expected %s bytes and served %s)' % (err.expected, err.downloaded))
 +                return
  
              if success:
 +                # Fixup content
 +                stretched_ratio = info_dict.get('stretched_ratio')
 +                if stretched_ratio is not None and stretched_ratio != 1:
 +                    fixup_policy = self.params.get('fixup')
 +                    if fixup_policy is None:
 +                        fixup_policy = 'detect_or_warn'
 +                    if fixup_policy == 'warn':
 +                        self.report_warning('%s: Non-uniform pixel ratio (%s)' % (
 +                            info_dict['id'], stretched_ratio))
 +                    elif fixup_policy == 'detect_or_warn':
 +                        stretched_pp = FFmpegFixupStretchedPP(self)
 +                        if stretched_pp.available:
 +                            info_dict.setdefault('__postprocessors', [])
 +                            info_dict['__postprocessors'].append(stretched_pp)
 +                        else:
 +                            self.report_warning(
 +                                '%s: Non-uniform pixel ratio (%s). Install ffmpeg or avconv to fix this automatically.' % (
 +                                    info_dict['id'], stretched_ratio))
 +                    else:
 +                        assert fixup_policy == 'ignore'
 +
                  try:
                      self.post_process(filename, info_dict)
                  except (PostProcessingError) as err:
                      self.report_error('postprocessing: %s' % str(err))
                      return
 -
 -        self.record_download_archive(info_dict)
 +                self.record_download_archive(info_dict)
  
      def download(self, url_list):
          """Download a given list of URLs."""
  
          for url in url_list:
              try:
 -                #It also downloads the videos
 -                self.extract_info(url)
 +                # It also downloads the videos
 +                res = self.extract_info(url)
              except UnavailableVideoError:
                  self.report_error('unable to download video')
              except MaxDownloadsReached:
                  self.to_screen('[info] Maximum number of downloaded files reached.')
                  raise
 +            else:
 +                if self.params.get('dump_single_json', False):
 +                    self.to_stdout(json.dumps(res))
  
          return self._download_retcode
  
          """Run all the postprocessors on the given file."""
          info = dict(ie_info)
          info['filepath'] = filename
 -        keep_video = None
          pps_chain = []
          if ie_info.get('__postprocessors') is not None:
              pps_chain.extend(ie_info['__postprocessors'])
          pps_chain.extend(self._pps)
          for pp in pps_chain:
 +            keep_video = None
 +            old_filename = info['filepath']
              try:
 -                keep_video_wish, new_info = pp.run(info)
 +                keep_video_wish, info = pp.run(info)
                  if keep_video_wish is not None:
                      if keep_video_wish:
                          keep_video = keep_video_wish
                          keep_video = keep_video_wish
              except PostProcessingError as e:
                  self.report_error(e.msg)
 -        if keep_video is False and not self.params.get('keepvideo', False):
 -            try:
 -                self.to_screen('Deleting original file %s (pass -k to keep)' % filename)
 -                os.remove(encodeFilename(filename))
 -            except (IOError, OSError):
 -                self.report_warning('Unable to remove downloaded video file')
 +            if keep_video is False and not self.params.get('keepvideo', False):
 +                try:
 +                    self.to_screen('Deleting original file %s (pass -k to keep)' % old_filename)
 +                    os.remove(encodeFilename(old_filename))
 +                except (IOError, OSError):
 +                    self.report_warning('Unable to remove downloaded video file')
  
      def _make_archive_id(self, info_dict):
          # Future-proof against any change in case
              res += 'video@'
          if fdict.get('vbr') is not None:
              res += '%4dk' % fdict['vbr']
 +        if fdict.get('fps') is not None:
 +            res += ', %sfps' % fdict['fps']
          if fdict.get('acodec') is not None:
              if res:
                  res += ', '
          formats = info_dict.get('formats', [info_dict])
          idlen = max(len('format code'),
                      max(len(f['format_id']) for f in formats))
 -        formats_s = [line(f, idlen) for f in formats]
 +        formats_s = [
 +            line(f, idlen) for f in formats
 +            if f.get('preference') is None or f['preference'] >= -1000]
          if len(formats) > 1:
              formats_s[0] += (' ' if self._format_note(formats[0]) else '') + '(worst)'
              formats_s[-1] += (' ' if self._format_note(formats[-1]) else '') + '(best)'
  
      def urlopen(self, req):
          """ Start an HTTP download """
 +
 +        # According to RFC 3986, URLs can not contain non-ASCII characters, however this is not
 +        # always respected by websites, some tend to give out URLs with non percent-encoded
 +        # non-ASCII characters (see telemb.py, ard.py [#3412])
 +        # urllib chokes on URLs with non-ASCII characters (see http://bugs.python.org/issue3991)
 +        # To work around aforementioned issue we will replace request's original URL with
 +        # percent-encoded one
 +        req_is_string = isinstance(req, basestring if sys.version_info < (3, 0) else compat_str)
 +        url = req if req_is_string else req.get_full_url()
 +        url_escaped = escape_url(url)
 +
 +        # Substitute URL if any change after escaping
 +        if url != url_escaped:
 +            if req_is_string:
 +                req = url_escaped
 +            else:
 +                req = compat_urllib_request.Request(
 +                    url_escaped, data=req.data, headers=req.headers,
 +                    origin_req_host=req.origin_req_host, unverifiable=req.unverifiable)
 +
          return self._opener.open(req, timeout=self._socket_timeout)
  
      def print_debug_header(self):
              self.report_warning(
                  'Your Python is broken! Update to a newer and supported version')
  
 +        stdout_encoding = getattr(
 +            sys.stdout, 'encoding', 'missing (%s)' % type(sys.stdout).__name__)
          encoding_str = (
              '[debug] Encodings: locale %s, fs %s, out %s, pref %s\n' % (
                  locale.getpreferredencoding(),
                  sys.getfilesystemencoding(),
 -                sys.stdout.encoding,
 +                stdout_encoding,
                  self.get_encoding()))
          write_string(encoding_str, encoding=None)
  
                  sys.exc_clear()
              except:
                  pass
 -        self._write_string('[debug] Python version %s - %s' %
 -                     (platform.python_version(), platform_name()) + '\n')
 +        self._write_string('[debug] Python version %s - %s\n' % (
 +            platform.python_version(), platform_name()))
 +
 +        exe_versions = FFmpegPostProcessor.get_versions()
 +        exe_versions['rtmpdump'] = rtmpdump_version()
 +        exe_str = ', '.join(
 +            '%s %s' % (exe, v)
 +            for exe, v in sorted(exe_versions.items())
 +            if v
 +        )
 +        if not exe_str:
 +            exe_str = 'none'
 +        self._write_string('[debug] exe versions: %s\n' % exe_str)
  
          proxy_map = {}
          for handler in self._opener.handlers:
                  proxy_map.update(handler.proxies)
          self._write_string('[debug] Proxy map: ' + compat_str(proxy_map) + '\n')
  
 +        if self.params.get('call_home', False):
 +            ipaddr = self.urlopen('https://yt-dl.org/ip').read().decode('utf-8')
 +            self._write_string('[debug] Public IP address: %s\n' % ipaddr)
 +            latest_version = self.urlopen(
 +                'https://yt-dl.org/latest/version').read().decode('utf-8')
 +            if version_tuple(latest_version) > version_tuple(__version__):
 +                self.report_warning(
 +                    'You are using an outdated version (newest version: %s)! '
 +                    'See https://yt-dl.org/update if you need help updating.' %
 +                    latest_version)
 +
      def _setup_opener(self):
          timeout_val = self.params.get('socket_timeout')
          self._socket_timeout = 600 if timeout_val is None else float(timeout_val)
          proxy_handler = compat_urllib_request.ProxyHandler(proxies)
  
          debuglevel = 1 if self.params.get('debug_printtraffic') else 0
 -        https_handler = make_HTTPS_handler(
 -            self.params.get('nocheckcertificate', False), debuglevel=debuglevel)
 -        ydlh = YoutubeDLHandler(debuglevel=debuglevel)
 +        https_handler = make_HTTPS_handler(self.params, debuglevel=debuglevel)
 +        ydlh = YoutubeDLHandler(self.params, debuglevel=debuglevel)
          opener = compat_urllib_request.build_opener(
              https_handler, proxy_handler, cookie_processor, ydlh)
          # Delete the default user-agent header, which would otherwise apply in
diff --combined youtube_dl/__init__.py
index ddf6260d1e9a4a11fd0140ccbc8d6a4c324df78b,6daed53655b12b6476773a9be02abb901cb1f359..ea16604525b6f85125e63a41621bae579c4d9518
@@@ -1,31 -1,97 +1,31 @@@
  #!/usr/bin/env python
  # -*- coding: utf-8 -*-
  
 -__authors__  = (
 -    'Ricardo Garcia Gonzalez',
 -    'Danny Colligan',
 -    'Benjamin Johnson',
 -    'Vasyl\' Vavrychuk',
 -    'Witold Baryluk',
 -    'PaweÅ‚ Paprota',
 -    'Gergely Imreh',
 -    'Rogério Brito',
 -    'Philipp Hagemeister',
 -    'Sören Schulze',
 -    'Kevin Ngo',
 -    'Ori Avtalion',
 -    'shizeeg',
 -    'Filippo Valsorda',
 -    'Christian Albrecht',
 -    'Dave Vasilevsky',
 -    'Jaime Marquínez Ferrándiz',
 -    'Jeff Crouse',
 -    'Osama Khalid',
 -    'Michael Walter',
 -    'M. Yasoob Ullah Khalid',
 -    'Julien Fraichard',
 -    'Johny Mo Swag',
 -    'Axel Noack',
 -    'Albert Kim',
 -    'Pierre Rudloff',
 -    'Huarong Huo',
 -    'Ismael Mejía',
 -    'Steffan \'Ruirize\' James',
 -    'Andras Elso',
 -    'Jelle van der Waa',
 -    'Marcin CieÅ›lak',
 -    'Anton Larionov',
 -    'Takuya Tsuchida',
 -    'Sergey M.',
 -    'Michael Orlitzky',
 -    'Chris Gahan',
 -    'Saimadhav Heblikar',
 -    'Mike Col',
 -    'Oleg Prutz',
 -    'pulpe',
 -    'Andreas Schmitz',
 -    'Michael Kaiser',
 -    'Niklas Laxström',
 -    'David Triendl',
 -    'Anthony Weems',
 -    'David Wagner',
 -    'Juan C. Olivares',
 -    'Mattias Harrysson',
 -    'phaer',
 -    'Sainyam Kapoor',
 -    'Nicolas Ã‰vrard',
 -    'Jason Normore',
 -    'Hoje Lee',
 -    'Adam Thalhammer',
 -    'Georg Jähnig',
 -    'Ralf Haring',
 -    'Koki Takahashi',
 -    'Ariset Llerena',
 -    'Adam Malcontenti-Wilson',
 -    'Tobias Bell',
 -    'Naglis Jonaitis',
 -    'Charles Chen',
 -    'Hassaan Ali',
 -    'DobrosÅ‚aw Å»ybort',
 -    'David Fabijan',
 -    'Sebastian Haas',
 -)
 +from __future__ import unicode_literals
  
  __license__ = 'Public Domain'
  
  import codecs
  import io
 -import optparse
  import os
  import random
 -import shlex
 -import shutil
  import sys
  
  
 -from .utils import (
 +from .options import (
 +    parseOpts,
 +)
 +from .compat import (
 +    compat_expanduser,
      compat_getpass,
      compat_print,
 +    workaround_optparse_bug9161,
 +)
 +from .utils import (
      DateRange,
      DEFAULT_OUTTMPL,
      decodeOption,
 -    get_term_width,
      DownloadError,
 -    get_cachedir,
      MaxDownloadsReached,
      preferredencoding,
      read_batch_urls,
@@@ -38,8 -104,485 +38,8 @@@ from .update import update_sel
  from .downloader import (
      FileDownloader,
  )
 -from .extractor import gen_extractors
 -from .version import __version__
 +from .extractor import gen_extractors, list_extractors
  from .YoutubeDL import YoutubeDL
 -from .postprocessor import (
 -    AtomicParsleyPP,
 -    FFmpegAudioFixPP,
 -    FFmpegMetadataPP,
 -    FFmpegVideoConvertor,
 -    FFmpegExtractAudioPP,
 -    FFmpegEmbedSubtitlePP,
 -    XAttrMetadataPP,
 -)
 -
 -
 -def parseOpts(overrideArguments=None):
 -    def _readOptions(filename_bytes, default=[]):
 -        try:
 -            optionf = open(filename_bytes)
 -        except IOError:
 -            return default  # silently skip if file is not present
 -        try:
 -            res = []
 -            for l in optionf:
 -                res += shlex.split(l, comments=True)
 -        finally:
 -            optionf.close()
 -        return res
 -
 -    def _readUserConf():
 -        xdg_config_home = os.environ.get('XDG_CONFIG_HOME')
 -        if xdg_config_home:
 -            userConfFile = os.path.join(xdg_config_home, 'youtube-dl', 'config')
 -            if not os.path.isfile(userConfFile):
 -                userConfFile = os.path.join(xdg_config_home, 'youtube-dl.conf')
 -        else:
 -            userConfFile = os.path.join(os.path.expanduser('~'), '.config', 'youtube-dl', 'config')
 -            if not os.path.isfile(userConfFile):
 -                userConfFile = os.path.join(os.path.expanduser('~'), '.config', 'youtube-dl.conf')
 -        userConf = _readOptions(userConfFile, None)
 -
 -        if userConf is None:
 -            appdata_dir = os.environ.get('appdata')
 -            if appdata_dir:
 -                userConf = _readOptions(
 -                    os.path.join(appdata_dir, 'youtube-dl', 'config'),
 -                    default=None)
 -                if userConf is None:
 -                    userConf = _readOptions(
 -                        os.path.join(appdata_dir, 'youtube-dl', 'config.txt'),
 -                        default=None)
 -
 -        if userConf is None:
 -            userConf = _readOptions(
 -                os.path.join(os.path.expanduser('~'), 'youtube-dl.conf'),
 -                default=None)
 -        if userConf is None:
 -            userConf = _readOptions(
 -                os.path.join(os.path.expanduser('~'), 'youtube-dl.conf.txt'),
 -                default=None)
 -
 -        if userConf is None:
 -            userConf = []
 -
 -        return userConf
 -
 -    def _format_option_string(option):
 -        ''' ('-o', '--option') -> -o, --format METAVAR'''
 -
 -        opts = []
 -
 -        if option._short_opts:
 -            opts.append(option._short_opts[0])
 -        if option._long_opts:
 -            opts.append(option._long_opts[0])
 -        if len(opts) > 1:
 -            opts.insert(1, ', ')
 -
 -        if option.takes_value(): opts.append(' %s' % option.metavar)
 -
 -        return "".join(opts)
 -
 -    def _comma_separated_values_options_callback(option, opt_str, value, parser):
 -        setattr(parser.values, option.dest, value.split(','))
 -
 -    def _hide_login_info(opts):
 -        opts = list(opts)
 -        for private_opt in ['-p', '--password', '-u', '--username', '--video-password']:
 -            try:
 -                i = opts.index(private_opt)
 -                opts[i+1] = '<PRIVATE>'
 -            except ValueError:
 -                pass
 -        return opts
 -
 -    max_width = 80
 -    max_help_position = 80
 -
 -    # No need to wrap help messages if we're on a wide console
 -    columns = get_term_width()
 -    if columns: max_width = columns
 -
 -    fmt = optparse.IndentedHelpFormatter(width=max_width, max_help_position=max_help_position)
 -    fmt.format_option_strings = _format_option_string
 -
 -    kw = {
 -        'version'   : __version__,
 -        'formatter' : fmt,
 -        'usage' : '%prog [options] url [url...]',
 -        'conflict_handler' : 'resolve',
 -    }
 -
 -    parser = optparse.OptionParser(**kw)
 -
 -    # option groups
 -    general        = optparse.OptionGroup(parser, 'General Options')
 -    selection      = optparse.OptionGroup(parser, 'Video Selection')
 -    authentication = optparse.OptionGroup(parser, 'Authentication Options')
 -    video_format   = optparse.OptionGroup(parser, 'Video Format Options')
 -    subtitles      = optparse.OptionGroup(parser, 'Subtitle Options')
 -    downloader     = optparse.OptionGroup(parser, 'Download Options')
 -    postproc       = optparse.OptionGroup(parser, 'Post-processing Options')
 -    filesystem     = optparse.OptionGroup(parser, 'Filesystem Options')
 -    workarounds    = optparse.OptionGroup(parser, 'Workarounds')
 -    verbosity      = optparse.OptionGroup(parser, 'Verbosity / Simulation Options')
 -
 -    general.add_option('-h', '--help',
 -            action='help', help='print this help text and exit')
 -    general.add_option('-v', '--version',
 -            action='version', help='print program version and exit')
 -    general.add_option('-U', '--update',
 -            action='store_true', dest='update_self', help='update this program to latest version. Make sure that you have sufficient permissions (run with sudo if needed)')
 -    general.add_option('-i', '--ignore-errors',
 -            action='store_true', dest='ignoreerrors', help='continue on download errors, for example to skip unavailable videos in a playlist', default=False)
 -    general.add_option('--abort-on-error',
 -            action='store_false', dest='ignoreerrors',
 -            help='Abort downloading of further videos (in the playlist or the command line) if an error occurs')
 -    general.add_option('--dump-user-agent',
 -            action='store_true', dest='dump_user_agent',
 -            help='display the current browser identification', default=False)
 -    general.add_option('--list-extractors',
 -            action='store_true', dest='list_extractors',
 -            help='List all supported extractors and the URLs they would handle', default=False)
 -    general.add_option('--extractor-descriptions',
 -            action='store_true', dest='list_extractor_descriptions',
 -            help='Output descriptions of all supported extractors', default=False)
 -    general.add_option(
 -        '--proxy', dest='proxy', default=None, metavar='URL',
 -        help='Use the specified HTTP/HTTPS proxy. Pass in an empty string (--proxy "") for direct connection')
 -    general.add_option(
 -        '--socket-timeout', dest='socket_timeout',
 -        type=float, default=None, help=u'Time to wait before giving up, in seconds')
 -    general.add_option(
 -        '--default-search',
 -        dest='default_search', metavar='PREFIX',
 -        help='Use this prefix for unqualified URLs. For example "gvsearch2:" downloads two videos from google videos for  youtube-dl "large apple". Use the value "auto" to let youtube-dl guess ("auto_warning" to emit a warning when guessing). "error" just throws an error. The default value "fixup_error" repairs broken URLs, but emits an error if this is not possible instead of searching.')
 -    general.add_option(
 -        '--ignore-config',
 -        action='store_true',
 -        help='Do not read configuration files. When given in the global configuration file /etc/youtube-dl.conf: do not read the user configuration in ~/.config/youtube-dl.conf (%APPDATA%/youtube-dl/config.txt on Windows)')
 -
 -    selection.add_option(
 -        '--playlist-start',
 -        dest='playliststart', metavar='NUMBER', default=1, type=int,
 -        help='playlist video to start at (default is %default)')
 -    selection.add_option(
 -        '--playlist-end',
 -        dest='playlistend', metavar='NUMBER', default=None, type=int,
 -        help='playlist video to end at (default is last)')
 -    selection.add_option('--match-title', dest='matchtitle', metavar='REGEX',help='download only matching titles (regex or caseless sub-string)')
 -    selection.add_option('--reject-title', dest='rejecttitle', metavar='REGEX',help='skip download for matching titles (regex or caseless sub-string)')
 -    selection.add_option('--max-downloads', metavar='NUMBER',
 -                         dest='max_downloads', type=int, default=None,
 -                         help='Abort after downloading NUMBER files')
 -    selection.add_option('--min-filesize', metavar='SIZE', dest='min_filesize', help="Do not download any videos smaller than SIZE (e.g. 50k or 44.6m)", default=None)
 -    selection.add_option('--max-filesize', metavar='SIZE', dest='max_filesize', help="Do not download any videos larger than SIZE (e.g. 50k or 44.6m)", default=None)
 -    selection.add_option('--date', metavar='DATE', dest='date', help='download only videos uploaded in this date', default=None)
 -    selection.add_option(
 -        '--datebefore', metavar='DATE', dest='datebefore', default=None,
 -        help='download only videos uploaded on or before this date (i.e. inclusive)')
 -    selection.add_option(
 -        '--dateafter', metavar='DATE', dest='dateafter', default=None,
 -        help='download only videos uploaded on or after this date (i.e. inclusive)')
 -    selection.add_option(
 -        '--min-views', metavar='COUNT', dest='min_views',
 -        default=None, type=int,
 -        help="Do not download any videos with less than COUNT views",)
 -    selection.add_option(
 -        '--max-views', metavar='COUNT', dest='max_views',
 -        default=None, type=int,
 -        help="Do not download any videos with more than COUNT views",)
 -    selection.add_option('--no-playlist', action='store_true', dest='noplaylist', help='download only the currently playing video', default=False)
 -    selection.add_option('--age-limit', metavar='YEARS', dest='age_limit',
 -                         help='download only videos suitable for the given age',
 -                         default=None, type=int)
 -    selection.add_option('--download-archive', metavar='FILE',
 -                         dest='download_archive',
 -                         help='Download only videos not listed in the archive file. Record the IDs of all downloaded videos in it.')
 -    selection.add_option(
 -        '--include-ads', dest='include_ads',
 -        action='store_true',
 -        help='Download advertisements as well (experimental)')
 -    selection.add_option(
 -        '--youtube-include-dash-manifest', action='store_true',
 -        dest='youtube_include_dash_manifest', default=False,
 -        help='Try to download the DASH manifest on YouTube videos (experimental)')
 -
 -    authentication.add_option('-u', '--username',
 -            dest='username', metavar='USERNAME', help='account username')
 -    authentication.add_option('-p', '--password',
 -            dest='password', metavar='PASSWORD', help='account password')
 -    authentication.add_option('-n', '--netrc',
 -            action='store_true', dest='usenetrc', help='use .netrc authentication data', default=False)
 -    authentication.add_option('--video-password',
 -            dest='videopassword', metavar='PASSWORD', help='video password (vimeo, smotri)')
 -
 -
 -    video_format.add_option('-f', '--format',
 -            action='store', dest='format', metavar='FORMAT', default=None,
 -            help='video format code, specify the order of preference using slashes: "-f 22/17/18". "-f mp4" and "-f flv" are also supported. You can also use the special names "best", "bestvideo", "bestaudio", "worst", "worstvideo" and "worstaudio". By default, youtube-dl will pick the best quality.')
 -    video_format.add_option('--all-formats',
 -            action='store_const', dest='format', help='download all available video formats', const='all')
 -    video_format.add_option('--prefer-free-formats',
 -            action='store_true', dest='prefer_free_formats', default=False, help='prefer free video formats unless a specific one is requested')
 -    video_format.add_option('--max-quality',
 -            action='store', dest='format_limit', metavar='FORMAT', help='highest quality format to download')
 -    video_format.add_option('-F', '--list-formats',
 -            action='store_true', dest='listformats', help='list all available formats')
 -
 -    subtitles.add_option('--write-sub', '--write-srt',
 -            action='store_true', dest='writesubtitles',
 -            help='write subtitle file', default=False)
 -    subtitles.add_option('--write-auto-sub', '--write-automatic-sub',
 -            action='store_true', dest='writeautomaticsub',
 -            help='write automatic subtitle file (youtube only)', default=False)
 -    subtitles.add_option('--all-subs',
 -            action='store_true', dest='allsubtitles',
 -            help='downloads all the available subtitles of the video', default=False)
 -    subtitles.add_option('--list-subs',
 -            action='store_true', dest='listsubtitles',
 -            help='lists all available subtitles for the video', default=False)
 -    subtitles.add_option('--sub-format',
 -            action='store', dest='subtitlesformat', metavar='FORMAT',
 -            help='subtitle format (default=srt) ([sbv/vtt] youtube only)', default='srt')
 -    subtitles.add_option('--sub-lang', '--sub-langs', '--srt-lang',
 -            action='callback', dest='subtitleslangs', metavar='LANGS', type='str',
 -            default=[], callback=_comma_separated_values_options_callback,
 -            help='languages of the subtitles to download (optional) separated by commas, use IETF language tags like \'en,pt\'')
 -
 -    downloader.add_option('-r', '--rate-limit',
 -            dest='ratelimit', metavar='LIMIT', help='maximum download rate in bytes per second (e.g. 50K or 4.2M)')
 -    downloader.add_option('--sleep-interval',
 -            dest='sleepinterval', metavar='SLEEPINTERVAL', help='number of seconds to sleep between downloads (default is %default)', default="0")
 -    downloader.add_option('-R', '--retries',
 -            dest='retries', metavar='RETRIES', help='number of retries (default is %default)', default=10)
 -    downloader.add_option('--buffer-size',
 -            dest='buffersize', metavar='SIZE', help='size of download buffer (e.g. 1024 or 16K) (default is %default)', default="1024")
 -    downloader.add_option('--no-resize-buffer',
 -            action='store_true', dest='noresizebuffer',
 -            help='do not automatically adjust the buffer size. By default, the buffer size is automatically resized from an initial value of SIZE.', default=False)
 -    downloader.add_option('--test', action='store_true', dest='test', default=False, help=optparse.SUPPRESS_HELP)
 -
 -    workarounds.add_option(
 -        '--encoding', dest='encoding', metavar='ENCODING',
 -        help='Force the specified encoding (experimental)')
 -    workarounds.add_option(
 -        '--no-check-certificate', action='store_true',
 -        dest='no_check_certificate', default=False,
 -        help='Suppress HTTPS certificate validation.')
 -    workarounds.add_option(
 -        '--prefer-insecure', '--prefer-unsecure', action='store_true', dest='prefer_insecure',
 -        help='Use an unencrypted connection to retrieve information about the video. (Currently supported only for YouTube)')
 -    workarounds.add_option(
 -        '--user-agent', metavar='UA',
 -        dest='user_agent', help='specify a custom user agent')
 -    workarounds.add_option(
 -        '--referer', metavar='REF',
 -        dest='referer', default=None,
 -        help='specify a custom referer, use if the video access is restricted to one domain',
 -    )
 -    workarounds.add_option(
 -        '--add-header', metavar='FIELD:VALUE',
 -        dest='headers', action='append',
 -        help='specify a custom HTTP header and its value, separated by a colon \':\'. You can use this option multiple times',
 -    )
 -    workarounds.add_option(
 -        '--bidi-workaround', dest='bidi_workaround', action='store_true',
 -        help=u'Work around terminals that lack bidirectional text support. Requires bidiv or fribidi executable in PATH')
 -
 -    verbosity.add_option('-q', '--quiet',
 -            action='store_true', dest='quiet', help='activates quiet mode', default=False)
 -    verbosity.add_option(
 -        '--no-warnings',
 -        dest='no_warnings', action='store_true', default=False,
 -        help='Ignore warnings')
 -    verbosity.add_option('-s', '--simulate',
 -            action='store_true', dest='simulate', help='do not download the video and do not write anything to disk', default=False)
 -    verbosity.add_option('--skip-download',
 -            action='store_true', dest='skip_download', help='do not download the video', default=False)
 -    verbosity.add_option('-g', '--get-url',
 -            action='store_true', dest='geturl', help='simulate, quiet but print URL', default=False)
 -    verbosity.add_option('-e', '--get-title',
 -            action='store_true', dest='gettitle', help='simulate, quiet but print title', default=False)
 -    verbosity.add_option('--get-id',
 -            action='store_true', dest='getid', help='simulate, quiet but print id', default=False)
 -    verbosity.add_option('--get-thumbnail',
 -            action='store_true', dest='getthumbnail',
 -            help='simulate, quiet but print thumbnail URL', default=False)
 -    verbosity.add_option('--get-description',
 -            action='store_true', dest='getdescription',
 -            help='simulate, quiet but print video description', default=False)
 -    verbosity.add_option('--get-duration',
 -            action='store_true', dest='getduration',
 -            help='simulate, quiet but print video length', default=False)
 -    verbosity.add_option('--get-filename',
 -            action='store_true', dest='getfilename',
 -            help='simulate, quiet but print output filename', default=False)
 -    verbosity.add_option('--get-format',
 -            action='store_true', dest='getformat',
 -            help='simulate, quiet but print output format', default=False)
 -    verbosity.add_option('-j', '--dump-json',
 -            action='store_true', dest='dumpjson',
 -            help='simulate, quiet but print JSON information. See --output for a description of available keys.', default=False)
 -    verbosity.add_option('--newline',
 -            action='store_true', dest='progress_with_newline', help='output progress bar as new lines', default=False)
 -    verbosity.add_option('--no-progress',
 -            action='store_true', dest='noprogress', help='do not print progress bar', default=False)
 -    verbosity.add_option('--console-title',
 -            action='store_true', dest='consoletitle',
 -            help='display progress in console titlebar', default=False)
 -    verbosity.add_option('-v', '--verbose',
 -            action='store_true', dest='verbose', help='print various debugging information', default=False)
 -    verbosity.add_option('--dump-intermediate-pages',
 -            action='store_true', dest='dump_intermediate_pages', default=False,
 -            help='print downloaded pages to debug problems (very verbose)')
 -    verbosity.add_option('--write-pages',
 -            action='store_true', dest='write_pages', default=False,
 -            help='Write downloaded intermediary pages to files in the current directory to debug problems')
 -    verbosity.add_option('--youtube-print-sig-code',
 -            action='store_true', dest='youtube_print_sig_code', default=False,
 -            help=optparse.SUPPRESS_HELP)
 -    verbosity.add_option('--print-traffic',
 -            dest='debug_printtraffic', action='store_true', default=False,
 -            help='Display sent and read HTTP traffic')
 -
 -
 -    filesystem.add_option('-a', '--batch-file',
 -            dest='batchfile', metavar='FILE', help='file containing URLs to download (\'-\' for stdin)')
 -    filesystem.add_option('--id',
 -            action='store_true', dest='useid', help='use only video ID in file name', default=False)
 -    filesystem.add_option('-A', '--auto-number',
 -            action='store_true', dest='autonumber',
 -            help='number downloaded files starting from 00000', default=False)
 -    filesystem.add_option('-o', '--output',
 -            dest='outtmpl', metavar='TEMPLATE',
 -            help=('output filename template. Use %(title)s to get the title, '
 -                  '%(uploader)s for the uploader name, %(uploader_id)s for the uploader nickname if different, '
 -                  '%(autonumber)s to get an automatically incremented number, '
 -                  '%(ext)s for the filename extension, '
 -                  '%(format)s for the format description (like "22 - 1280x720" or "HD"), '
 -                  '%(format_id)s for the unique id of the format (like Youtube\'s itags: "137"), '
 -                  '%(upload_date)s for the upload date (YYYYMMDD), '
 -                  '%(extractor)s for the provider (youtube, metacafe, etc), '
 -                  '%(id)s for the video id, %(playlist)s for the playlist the video is in, '
 -                  '%(playlist_index)s for the position in the playlist and %% for a literal percent. '
 -                  '%(height)s and %(width)s for the width and height of the video format. '
 -                  '%(resolution)s for a textual description of the resolution of the video format. '
 -                  'Use - to output to stdout. Can also be used to download to a different directory, '
 -                  'for example with -o \'/my/downloads/%(uploader)s/%(title)s-%(id)s.%(ext)s\' .'))
 -    filesystem.add_option('--autonumber-size',
 -            dest='autonumber_size', metavar='NUMBER',
 -            help='Specifies the number of digits in %(autonumber)s when it is present in output filename template or --auto-number option is given')
 -    filesystem.add_option('--restrict-filenames',
 -            action='store_true', dest='restrictfilenames',
 -            help='Restrict filenames to only ASCII characters, and avoid "&" and spaces in filenames', default=False)
 -    filesystem.add_option('-t', '--title',
 -            action='store_true', dest='usetitle', help='[deprecated] use title in file name (default)', default=False)
 -    filesystem.add_option('-l', '--literal',
 -            action='store_true', dest='usetitle', help='[deprecated] alias of --title', default=False)
 -    filesystem.add_option('-w', '--no-overwrites',
 -            action='store_true', dest='nooverwrites', help='do not overwrite files', default=False)
 -    filesystem.add_option('-c', '--continue',
 -            action='store_true', dest='continue_dl', help='force resume of partially downloaded files. By default, youtube-dl will resume downloads if possible.', default=True)
 -    filesystem.add_option('--no-continue',
 -            action='store_false', dest='continue_dl',
 -            help='do not resume partially downloaded files (restart from beginning)')
 -    filesystem.add_option('--no-part',
 -            action='store_true', dest='nopart', help='do not use .part files', default=False)
 -    filesystem.add_option('--no-mtime',
 -            action='store_false', dest='updatetime',
 -            help='do not use the Last-modified header to set the file modification time', default=True)
 -    filesystem.add_option('--write-description',
 -            action='store_true', dest='writedescription',
 -            help='write video description to a .description file', default=False)
 -    filesystem.add_option('--write-info-json',
 -            action='store_true', dest='writeinfojson',
 -            help='write video metadata to a .info.json file', default=False)
 -    filesystem.add_option('--write-annotations',
 -            action='store_true', dest='writeannotations',
 -            help='write video annotations to a .annotation file', default=False)
 -    filesystem.add_option('--write-thumbnail',
 -            action='store_true', dest='writethumbnail',
 -            help='write thumbnail image to disk', default=False)
 -    filesystem.add_option('--load-info',
 -            dest='load_info_filename', metavar='FILE',
 -            help='json file containing the video information (created with the "--write-json" option)')
 -    filesystem.add_option('--cookies',
 -            dest='cookiefile', metavar='FILE', help='file to read cookies from and dump cookie jar in')
 -    filesystem.add_option(
 -        '--cache-dir', dest='cachedir', default=get_cachedir(), metavar='DIR',
 -        help='Location in the filesystem where youtube-dl can store some downloaded information permanently. By default $XDG_CACHE_HOME/youtube-dl or ~/.cache/youtube-dl . At the moment, only YouTube player files (for videos with obfuscated signatures) are cached, but that may change.')
 -    filesystem.add_option(
 -        '--no-cache-dir', action='store_const', const=None, dest='cachedir',
 -        help='Disable filesystem caching')
 -    filesystem.add_option(
 -        '--rm-cache-dir', action='store_true', dest='rm_cachedir',
 -        help='Delete all filesystem cache files')
 -
 -
 -    postproc.add_option('-x', '--extract-audio', action='store_true', dest='extractaudio', default=False,
 -            help='convert video files to audio-only files (requires ffmpeg or avconv and ffprobe or avprobe)')
 -    postproc.add_option('--audio-format', metavar='FORMAT', dest='audioformat', default='best',
 -            help='"best", "aac", "vorbis", "mp3", "m4a", "opus", or "wav"; best by default')
 -    postproc.add_option('--audio-quality', metavar='QUALITY', dest='audioquality', default='5',
 -            help='ffmpeg/avconv audio quality specification, insert a value between 0 (better) and 9 (worse) for VBR or a specific bitrate like 128K (default 5)')
 -    postproc.add_option('--recode-video', metavar='FORMAT', dest='recodevideo', default=None,
 -            help='Encode the video to another format if necessary (currently supported: mp4|flv|ogg|webm|mkv)')
 -    postproc.add_option('-k', '--keep-video', action='store_true', dest='keepvideo', default=False,
 -            help='keeps the video file on disk after the post-processing; the video is erased by default')
 -    postproc.add_option('--no-post-overwrites', action='store_true', dest='nopostoverwrites', default=False,
 -            help='do not overwrite post-processed files; the post-processed files are overwritten by default')
 -    postproc.add_option('--embed-subs', action='store_true', dest='embedsubtitles', default=False,
 -            help='embed subtitles in the video (only for mp4 videos)')
 -    postproc.add_option('--embed-thumbnail', action='store_true', dest='embedthumbnail', default=False,
 -            help='embed thumbnail in the audio as cover art')
 -    postproc.add_option('--add-metadata', action='store_true', dest='addmetadata', default=False,
 -            help='write metadata to the video file')
 -    postproc.add_option('--xattrs', action='store_true', dest='xattrs', default=False,
 -            help='write metadata to the video file\'s xattrs (using dublin core and xdg standards)')
 -    postproc.add_option('--prefer-avconv', action='store_false', dest='prefer_ffmpeg',
 -        help='Prefer avconv over ffmpeg for running the postprocessors (default)')
 -    postproc.add_option('--prefer-ffmpeg', action='store_true', dest='prefer_ffmpeg',
 -        help='Prefer ffmpeg over avconv for running the postprocessors')
 -
 -
 -    parser.add_option_group(general)
 -    parser.add_option_group(selection)
 -    parser.add_option_group(downloader)
 -    parser.add_option_group(filesystem)
 -    parser.add_option_group(verbosity)
 -    parser.add_option_group(workarounds)
 -    parser.add_option_group(video_format)
 -    parser.add_option_group(subtitles)
 -    parser.add_option_group(authentication)
 -    parser.add_option_group(postproc)
 -
 -    if overrideArguments is not None:
 -        opts, args = parser.parse_args(overrideArguments)
 -        if opts.verbose:
 -            write_string(u'[debug] Override config: ' + repr(overrideArguments) + '\n')
 -    else:
 -        commandLineConf = sys.argv[1:]
 -        if '--ignore-config' in commandLineConf:
 -            systemConf = []
 -            userConf = []
 -        else:
 -            systemConf = _readOptions('/etc/youtube-dl.conf')
 -            if '--ignore-config' in systemConf:
 -                userConf = []
 -            else:
 -                userConf = _readUserConf()
 -        argv = systemConf + userConf + commandLineConf
 -
 -        opts, args = parser.parse_args(argv)
 -        if opts.verbose:
 -            write_string(u'[debug] System config: ' + repr(_hide_login_info(systemConf)) + '\n')
 -            write_string(u'[debug] User config: ' + repr(_hide_login_info(userConf)) + '\n')
 -            write_string(u'[debug] Command-line args: ' + repr(_hide_login_info(commandLineConf)) + '\n')
 -
 -    return parser, opts, args
  
  
  def _real_main(argv=None):
          # https://github.com/rg3/youtube-dl/issues/820
          codecs.register(lambda name: codecs.lookup('utf-8') if name == 'cp65001' else None)
  
 -    setproctitle(u'youtube-dl')
 +    workaround_optparse_bug9161()
 +
 +    setproctitle('youtube-dl')
  
      parser, opts, args = parseOpts(argv)
  
      if opts.headers is not None:
          for h in opts.headers:
              if h.find(':', 1) < 0:
 -                parser.error(u'wrong header formatting, it should be key:value, not "%s"'%h)
 +                parser.error('wrong header formatting, it should be key:value, not "%s"' % h)
              key, value = h.split(':', 2)
              if opts.verbose:
 -                write_string(u'[debug] Adding header from command line option %s:%s\n'%(key, value))
 +                write_string('[debug] Adding header from command line option %s:%s\n' % (key, value))
              std_headers[key] = value
  
      # Dump user agent
                  batchfd = io.open(opts.batchfile, 'r', encoding='utf-8', errors='ignore')
              batch_urls = read_batch_urls(batchfd)
              if opts.verbose:
 -                write_string(u'[debug] Batch file urls: ' + repr(batch_urls) + u'\n')
 +                write_string('[debug] Batch file urls: ' + repr(batch_urls) + '\n')
          except IOError:
 -            sys.exit(u'ERROR: batch file could not be read')
 +            sys.exit('ERROR: batch file could not be read')
      all_urls = batch_urls + args
      all_urls = [url.strip() for url in all_urls]
      _enc = preferredencoding()
      all_urls = [url.decode(_enc, 'ignore') if isinstance(url, bytes) else url for url in all_urls]
  
 -    extractors = gen_extractors()
 -
      if opts.list_extractors:
 -        for ie in sorted(extractors, key=lambda ie: ie.IE_NAME.lower()):
 +        for ie in list_extractors(opts.age_limit):
              compat_print(ie.IE_NAME + (' (CURRENTLY BROKEN)' if not ie._WORKING else ''))
              matchedUrls = [url for url in all_urls if ie.suitable(url)]
              for mu in matchedUrls:
 -                compat_print(u'  ' + mu)
 +                compat_print('  ' + mu)
          sys.exit(0)
      if opts.list_extractor_descriptions:
 -        for ie in sorted(extractors, key=lambda ie: ie.IE_NAME.lower()):
 +        for ie in list_extractors(opts.age_limit):
              if not ie._WORKING:
                  continue
              desc = getattr(ie, 'IE_DESC', ie.IE_NAME)
              if desc is False:
                  continue
              if hasattr(ie, 'SEARCH_KEY'):
 -                _SEARCHES = (u'cute kittens', u'slithering pythons', u'falling cat', u'angry poodle', u'purple fish', u'running tortoise', u'sleeping bunny')
 -                _COUNTS = (u'', u'5', u'10', u'all')
 -                desc += u' (Example: "%s%s:%s" )' % (ie.SEARCH_KEY, random.choice(_COUNTS), random.choice(_SEARCHES))
 +                _SEARCHES = ('cute kittens', 'slithering pythons', 'falling cat', 'angry poodle', 'purple fish', 'running tortoise', 'sleeping bunny', 'burping cow')
 +                _COUNTS = ('', '5', '10', 'all')
 +                desc += ' (Example: "%s%s:%s" )' % (ie.SEARCH_KEY, random.choice(_COUNTS), random.choice(_SEARCHES))
              compat_print(desc)
          sys.exit(0)
  
 -
      # Conflicting, missing and erroneous options
      if opts.usenetrc and (opts.username is not None or opts.password is not None):
 -        parser.error(u'using .netrc conflicts with giving username/password')
 +        parser.error('using .netrc conflicts with giving username/password')
      if opts.password is not None and opts.username is None:
 -        parser.error(u'account username missing\n')
 +        parser.error('account username missing\n')
      if opts.outtmpl is not None and (opts.usetitle or opts.autonumber or opts.useid):
 -        parser.error(u'using output template conflicts with using title, video ID or auto number')
 +        parser.error('using output template conflicts with using title, video ID or auto number')
      if opts.usetitle and opts.useid:
 -        parser.error(u'using title conflicts with using video ID')
 +        parser.error('using title conflicts with using video ID')
      if opts.username is not None and opts.password is None:
 -        opts.password = compat_getpass(u'Type account password and press [Return]: ')
 +        opts.password = compat_getpass('Type account password and press [Return]: ')
      if opts.ratelimit is not None:
          numeric_limit = FileDownloader.parse_bytes(opts.ratelimit)
          if numeric_limit is None:
 -            parser.error(u'invalid rate limit specified')
 +            parser.error('invalid rate limit specified')
          opts.ratelimit = numeric_limit
+     if opts.sleepinterval is not None:
+         try:
+             opts.sleepinterval = abs(int(opts.sleepinterval))
+         except ValueError:
+             parser.error(u'invalid sleep interval specified')
      if opts.min_filesize is not None:
          numeric_limit = FileDownloader.parse_bytes(opts.min_filesize)
          if numeric_limit is None:
 -            parser.error(u'invalid min_filesize specified')
 +            parser.error('invalid min_filesize specified')
          opts.min_filesize = numeric_limit
      if opts.max_filesize is not None:
          numeric_limit = FileDownloader.parse_bytes(opts.max_filesize)
          if numeric_limit is None:
 -            parser.error(u'invalid max_filesize specified')
 +            parser.error('invalid max_filesize specified')
          opts.max_filesize = numeric_limit
      if opts.retries is not None:
          try:
              opts.retries = int(opts.retries)
          except (TypeError, ValueError):
 -            parser.error(u'invalid retry count specified')
 +            parser.error('invalid retry count specified')
      if opts.buffersize is not None:
          numeric_buffersize = FileDownloader.parse_bytes(opts.buffersize)
          if numeric_buffersize is None:
 -            parser.error(u'invalid buffer size specified')
 +            parser.error('invalid buffer size specified')
          opts.buffersize = numeric_buffersize
      if opts.playliststart <= 0:
 -        raise ValueError(u'Playlist start must be positive')
 +        raise ValueError('Playlist start must be positive')
      if opts.playlistend not in (-1, None) and opts.playlistend < opts.playliststart:
 -        raise ValueError(u'Playlist end must be greater than playlist start')
 +        raise ValueError('Playlist end must be greater than playlist start')
      if opts.extractaudio:
          if opts.audioformat not in ['best', 'aac', 'mp3', 'm4a', 'opus', 'vorbis', 'wav']:
 -            parser.error(u'invalid audio format specified')
 +            parser.error('invalid audio format specified')
      if opts.audioquality:
          opts.audioquality = opts.audioquality.strip('k').strip('K')
          if not opts.audioquality.isdigit():
 -            parser.error(u'invalid audio quality specified')
 +            parser.error('invalid audio quality specified')
      if opts.recodevideo is not None:
          if opts.recodevideo not in ['mp4', 'flv', 'webm', 'ogg', 'mkv']:
 -            parser.error(u'invalid video recode format specified')
 +            parser.error('invalid video recode format specified')
 +
      if opts.date is not None:
          date = DateRange.day(opts.date)
      else:
          date = DateRange(opts.dateafter, opts.datebefore)
 -    if opts.default_search not in ('auto', 'auto_warning', 'error', 'fixup_error', None) and ':' not in opts.default_search:
 -        parser.error(u'--default-search invalid; did you forget a colon (:) at the end?')
  
      # Do not download videos when there are audio-only formats
      if opts.extractaudio and not opts.keepvideo and opts.format is None:
  
      # --all-sub automatically sets --write-sub if --write-auto-sub is not given
      # this was the old behaviour if only --all-sub was given.
 -    if opts.allsubtitles and (opts.writeautomaticsub == False):
 +    if opts.allsubtitles and not opts.writeautomaticsub:
          opts.writesubtitles = True
  
      if sys.version_info < (3,):
          # In Python 2, sys.argv is a bytestring (also note http://bugs.python.org/issue2128 for Windows systems)
          if opts.outtmpl is not None:
              opts.outtmpl = opts.outtmpl.decode(preferredencoding())
 -    outtmpl =((opts.outtmpl is not None and opts.outtmpl)
 -            or (opts.format == '-1' and opts.usetitle and u'%(title)s-%(id)s-%(format)s.%(ext)s')
 -            or (opts.format == '-1' and u'%(id)s-%(format)s.%(ext)s')
 -            or (opts.usetitle and opts.autonumber and u'%(autonumber)s-%(title)s-%(id)s.%(ext)s')
 -            or (opts.usetitle and u'%(title)s-%(id)s.%(ext)s')
 -            or (opts.useid and u'%(id)s.%(ext)s')
 -            or (opts.autonumber and u'%(autonumber)s-%(id)s.%(ext)s')
 -            or DEFAULT_OUTTMPL)
 +    outtmpl = ((opts.outtmpl is not None and opts.outtmpl)
 +               or (opts.format == '-1' and opts.usetitle and '%(title)s-%(id)s-%(format)s.%(ext)s')
 +               or (opts.format == '-1' and '%(id)s-%(format)s.%(ext)s')
 +               or (opts.usetitle and opts.autonumber and '%(autonumber)s-%(title)s-%(id)s.%(ext)s')
 +               or (opts.usetitle and '%(title)s-%(id)s.%(ext)s')
 +               or (opts.useid and '%(id)s.%(ext)s')
 +               or (opts.autonumber and '%(autonumber)s-%(id)s.%(ext)s')
 +               or DEFAULT_OUTTMPL)
      if not os.path.splitext(outtmpl)[1] and opts.extractaudio:
 -        parser.error(u'Cannot download a video and extract audio into the same'
 -                     u' file! Use "{0}.%(ext)s" instead of "{0}" as the output'
 -                     u' template'.format(outtmpl))
 -
 -    any_printing = opts.geturl or opts.gettitle or opts.getid or opts.getthumbnail or opts.getdescription or opts.getfilename or opts.getformat or opts.getduration or opts.dumpjson
 -    download_archive_fn = os.path.expanduser(opts.download_archive) if opts.download_archive is not None else opts.download_archive
 +        parser.error('Cannot download a video and extract audio into the same'
 +                     ' file! Use "{0}.%(ext)s" instead of "{0}" as the output'
 +                     ' template'.format(outtmpl))
 +
 +    any_getting = opts.geturl or opts.gettitle or opts.getid or opts.getthumbnail or opts.getdescription or opts.getfilename or opts.getformat or opts.getduration or opts.dumpjson or opts.dump_single_json
 +    any_printing = opts.print_json
 +    download_archive_fn = compat_expanduser(opts.download_archive) if opts.download_archive is not None else opts.download_archive
 +
 +    # PostProcessors
 +    postprocessors = []
 +    # Add the metadata pp first, the other pps will copy it
 +    if opts.addmetadata:
 +        postprocessors.append({'key': 'FFmpegMetadata'})
 +    if opts.extractaudio:
 +        postprocessors.append({
 +            'key': 'FFmpegExtractAudio',
 +            'preferredcodec': opts.audioformat,
 +            'preferredquality': opts.audioquality,
 +            'nopostoverwrites': opts.nopostoverwrites,
 +        })
 +    if opts.recodevideo:
 +        postprocessors.append({
 +            'key': 'FFmpegVideoConvertor',
 +            'preferedformat': opts.recodevideo,
 +        })
 +    if opts.embedsubtitles:
 +        postprocessors.append({
 +            'key': 'FFmpegEmbedSubtitle',
 +            'subtitlesformat': opts.subtitlesformat,
 +        })
 +    if opts.xattrs:
 +        postprocessors.append({'key': 'XAttrMetadata'})
 +    if opts.embedthumbnail:
 +        if not opts.addmetadata:
 +            postprocessors.append({'key': 'FFmpegAudioFix'})
 +        postprocessors.append({'key': 'AtomicParsley'})
 +    # Please keep ExecAfterDownload towards the bottom as it allows the user to modify the final file in any way.
 +    # So if the user is able to remove the file before your postprocessor runs it might cause a few problems.
 +    if opts.exec_cmd:
 +        postprocessors.append({
 +            'key': 'ExecAfterDownload',
 +            'verboseOutput': opts.verbose,
 +            'exec_cmd': opts.exec_cmd,
 +        })
  
      ydl_opts = {
          'usenetrc': opts.usenetrc,
          'username': opts.username,
          'password': opts.password,
 +        'twofactor': opts.twofactor,
          'videopassword': opts.videopassword,
 -        'quiet': (opts.quiet or any_printing),
 +        'quiet': (opts.quiet or any_getting or any_printing),
          'no_warnings': opts.no_warnings,
          'forceurl': opts.geturl,
          'forcetitle': opts.gettitle,
          'forceduration': opts.getduration,
          'forcefilename': opts.getfilename,
          'forceformat': opts.getformat,
 -        'forcejson': opts.dumpjson,
 -        'simulate': opts.simulate,
 -        'skip_download': (opts.skip_download or opts.simulate or any_printing),
 +        'forcejson': opts.dumpjson or opts.print_json,
 +        'dump_single_json': opts.dump_single_json,
 +        'simulate': opts.simulate or any_getting,
 +        'skip_download': opts.skip_download,
          'format': opts.format,
          'format_limit': opts.format_limit,
          'listformats': opts.listformats,
          'restrictfilenames': opts.restrictfilenames,
          'ignoreerrors': opts.ignoreerrors,
          'ratelimit': opts.ratelimit,
+         'sleepinterval': opts.sleepinterval,
          'nooverwrites': opts.nooverwrites,
          'retries': opts.retries,
          'buffersize': opts.buffersize,
          'progress_with_newline': opts.progress_with_newline,
          'playliststart': opts.playliststart,
          'playlistend': opts.playlistend,
 +        'playlistreverse': opts.playlist_reverse,
          'noplaylist': opts.noplaylist,
          'logtostderr': opts.outtmpl == '-',
          'consoletitle': opts.consoletitle,
          'default_search': opts.default_search,
          'youtube_include_dash_manifest': opts.youtube_include_dash_manifest,
          'encoding': opts.encoding,
 +        'exec_cmd': opts.exec_cmd,
 +        'extract_flat': opts.extract_flat,
 +        'merge_output_format': opts.merge_output_format,
 +        'postprocessors': postprocessors,
 +        'fixup': opts.fixup,
 +        'source_address': opts.source_address,
 +        'call_home': opts.call_home,
++        'sleep_interval': opts.sleep_interval,
      }
  
      with YoutubeDL(ydl_opts) as ydl:
 -        ydl.print_debug_header()
 -        ydl.add_default_info_extractors()
 -
 -        # PostProcessors
 -        # Add the metadata pp first, the other pps will copy it
 -        if opts.addmetadata:
 -            ydl.add_post_processor(FFmpegMetadataPP())
 -        if opts.extractaudio:
 -            ydl.add_post_processor(FFmpegExtractAudioPP(preferredcodec=opts.audioformat, preferredquality=opts.audioquality, nopostoverwrites=opts.nopostoverwrites))
 -        if opts.recodevideo:
 -            ydl.add_post_processor(FFmpegVideoConvertor(preferedformat=opts.recodevideo))
 -        if opts.embedsubtitles:
 -            ydl.add_post_processor(FFmpegEmbedSubtitlePP(subtitlesformat=opts.subtitlesformat))
 -        if opts.xattrs:
 -            ydl.add_post_processor(XAttrMetadataPP())
 -        if opts.embedthumbnail:
 -            if not opts.addmetadata:
 -                ydl.add_post_processor(FFmpegAudioFixPP())
 -            ydl.add_post_processor(AtomicParsleyPP())
 -
          # Update version
          if opts.update_self:
              update_self(ydl.to_screen, opts.verbose)
  
          # Remove cache dir
          if opts.rm_cachedir:
 -            if opts.cachedir is None:
 -                ydl.to_screen(u'No cache dir specified (Did you combine --no-cache-dir and --rm-cache-dir?)')
 -            else:
 -                if ('.cache' not in opts.cachedir) or ('youtube-dl' not in opts.cachedir):
 -                    ydl.to_screen(u'Not removing directory %s - this does not look like a cache dir')
 -                    retcode = 141
 -                else:
 -                    ydl.to_screen(
 -                        u'Removing cache dir %s .' % opts.cachedir,
 -                        skip_eol=True)
 -                    if os.path.exists(opts.cachedir):
 -                        ydl.to_screen(u'.', skip_eol=True)
 -                        shutil.rmtree(opts.cachedir)
 -                    ydl.to_screen(u'.')
 +            ydl.cache.remove()
  
          # Maybe do nothing
          if (len(all_urls) < 1) and (opts.load_info_filename is None):
 -            if not (opts.update_self or opts.rm_cachedir):
 -                parser.error(u'you must provide at least one URL')
 -            else:
 +            if opts.update_self or opts.rm_cachedir:
                  sys.exit()
  
 +            ydl.warn_if_short_id(sys.argv[1:] if argv is None else argv)
 +            parser.error('you must provide at least one URL')
 +
          try:
              if opts.load_info_filename is not None:
                  retcode = ydl.download_with_info_file(opts.load_info_filename)
              else:
                  retcode = ydl.download(all_urls)
          except MaxDownloadsReached:
 -            ydl.to_screen(u'--max-download limit reached, aborting.')
 +            ydl.to_screen('--max-download limit reached, aborting.')
              retcode = 101
  
      sys.exit(retcode)
@@@ -366,8 -901,6 +373,8 @@@ def main(argv=None)
      except DownloadError:
          sys.exit(1)
      except SameFileError:
 -        sys.exit(u'ERROR: fixed output name but more than one file to download')
 +        sys.exit('ERROR: fixed output name but more than one file to download')
      except KeyboardInterrupt:
 -        sys.exit(u'\nERROR: Interrupted by user')
 +        sys.exit('\nERROR: Interrupted by user')
 +
 +__all__ = ['main', 'YoutubeDL', 'gen_extractors', 'list_extractors']
index de6b9311d59b3a270cc0a7dc58d05b4f0692e896,c1da065b53956eaf93400a425351dd7c1f700edc..82c917d92f8a1e10c00e8fdf2efa7e04479bd8a0
@@@ -1,12 -1,10 +1,12 @@@
 +from __future__ import unicode_literals
 +
  import os
  import re
  import sys
  import time
  
 +from ..compat import compat_str
  from ..utils import (
 -    compat_str,
      encodeFilename,
      format_bytes,
      timeconvert,
@@@ -44,7 -42,6 +44,7 @@@ class FileDownloader(object)
      Subclasses of this one must re-define the real_download method.
      """
  
 +    _TEST_FILE_SIZE = 10241
      params = None
  
      def __init__(self, ydl, params):
      def calc_eta(start, now, total, current):
          if total is None:
              return None
 +        if now is None:
 +            now = time.time()
          dif = now - start
 -        if current == 0 or dif < 0.001: # One millisecond
 +        if current == 0 or dif < 0.001:  # One millisecond
              return None
          rate = float(current) / dif
          return int((float(total) - float(current)) / rate)
@@@ -97,7 -92,7 +97,7 @@@
      @staticmethod
      def calc_speed(start, now, bytes):
          dif = now - start
 -        if bytes == 0 or dif < 0.001: # One millisecond
 +        if bytes == 0 or dif < 0.001:  # One millisecond
              return None
          return float(bytes) / dif
  
      @staticmethod
      def best_block_size(elapsed_time, bytes):
          new_min = max(bytes / 2.0, 1.0)
 -        new_max = min(max(bytes * 2.0, 1.0), 4194304) # Do not surpass 4 MB
 +        new_max = min(max(bytes * 2.0, 1.0), 4194304)  # Do not surpass 4 MB
          if elapsed_time < 0.001:
              return int(new_max)
          rate = bytes / elapsed_time
      def report_error(self, *args, **kargs):
          self.ydl.report_error(*args, **kargs)
  
 -    def slow_down(self, start_time, byte_counter):
 +    def slow_down(self, start_time, now, byte_counter):
          """Sleep if the download speed is over the rate limit."""
          rate_limit = self.params.get('ratelimit', None)
          if rate_limit is None or byte_counter == 0:
              return
 -        now = time.time()
 +        if now is None:
 +            now = time.time()
          elapsed = now - start_time
          if elapsed <= 0.0:
              return
          speed = float(byte_counter) / elapsed
          if speed > rate_limit:
 -            time.sleep((byte_counter - rate_limit * (now - start_time)) / rate_limit)
 +            time.sleep(max((byte_counter // rate_limit) - elapsed, 0))
  
      def temp_name(self, filename):
          """Returns a temporary filename for the given filename."""
 -        if self.params.get('nopart', False) or filename == u'-' or \
 +        if self.params.get('nopart', False) or filename == '-' or \
                  (os.path.exists(encodeFilename(filename)) and not os.path.isfile(encodeFilename(filename))):
              return filename
 -        return filename + u'.part'
 +        return filename + '.part'
  
      def undo_temp_name(self, filename):
 -        if filename.endswith(u'.part'):
 -            return filename[:-len(u'.part')]
 +        if filename.endswith('.part'):
 +            return filename[:-len('.part')]
          return filename
  
      def try_rename(self, old_filename, new_filename):
                  return
              os.rename(encodeFilename(old_filename), encodeFilename(new_filename))
          except (IOError, OSError) as err:
 -            self.report_error(u'unable to rename file: %s' % compat_str(err))
 +            self.report_error('unable to rename file: %s' % compat_str(err))
  
      def try_utime(self, filename, last_modified_hdr):
          """Try to set the last-modified time of the given file."""
  
      def report_destination(self, filename):
          """Report destination filename."""
 -        self.to_screen(u'[download] Destination: ' + filename)
 +        self.to_screen('[download] Destination: ' + filename)
  
      def _report_progress_status(self, msg, is_last_line=False):
 -        fullmsg = u'[download] ' + msg
 +        fullmsg = '[download] ' + msg
          if self.params.get('progress_with_newline', False):
              self.to_screen(fullmsg)
          else:
                  prev_len = getattr(self, '_report_progress_prev_line_length',
                                     0)
                  if prev_len > len(fullmsg):
 -                    fullmsg += u' ' * (prev_len - len(fullmsg))
 +                    fullmsg += ' ' * (prev_len - len(fullmsg))
                  self._report_progress_prev_line_length = len(fullmsg)
 -                clear_line = u'\r'
 +                clear_line = '\r'
              else:
 -                clear_line = (u'\r\x1b[K' if sys.stderr.isatty() else u'\r')
 +                clear_line = ('\r\x1b[K' if sys.stderr.isatty() else '\r')
              self.to_screen(clear_line + fullmsg, skip_eol=not is_last_line)
 -        self.to_console_title(u'youtube-dl ' + msg)
 +        self.to_console_title('youtube-dl ' + msg)
  
      def report_progress(self, percent, data_len_str, speed, eta):
          """Report download progress."""
              percent_str = 'Unknown %'
          speed_str = self.format_speed(speed)
  
 -        msg = (u'%s of %s at %s ETA %s' %
 +        msg = ('%s of %s at %s ETA %s' %
                 (percent_str, data_len_str, speed_str, eta_str))
          self._report_progress_status(msg)
  
          downloaded_str = format_bytes(downloaded_data_len)
          speed_str = self.format_speed(speed)
          elapsed_str = FileDownloader.format_seconds(elapsed)
 -        msg = u'%s at %s (%s)' % (downloaded_str, speed_str, elapsed_str)
 +        msg = '%s at %s (%s)' % (downloaded_str, speed_str, elapsed_str)
          self._report_progress_status(msg)
  
      def report_finish(self, data_len_str, tot_time):
          """Report download finished."""
          if self.params.get('noprogress', False):
 -            self.to_screen(u'[download] Download completed')
 +            self.to_screen('[download] Download completed')
          else:
              self._report_progress_status(
 -                (u'100%% of %s in %s' %
 +                ('100%% of %s in %s' %
                   (data_len_str, self.format_seconds(tot_time))),
                  is_last_line=True)
  
      def report_resuming_byte(self, resume_len):
          """Report attempt to resume at given byte."""
 -        self.to_screen(u'[download] Resuming download at byte %s' % resume_len)
 +        self.to_screen('[download] Resuming download at byte %s' % resume_len)
  
      def report_retry(self, count, retries):
          """Report retry in case of HTTP error 5xx"""
 -        self.to_screen(u'[download] Got server HTTP error. Retrying (attempt %d of %d)...' % (count, retries))
 +        self.to_screen('[download] Got server HTTP error. Retrying (attempt %d of %d)...' % (count, retries))
  
      def report_file_already_downloaded(self, file_name):
          """Report file has already been fully downloaded."""
          try:
 -            self.to_screen(u'[download] %s has already been downloaded' % file_name)
 +            self.to_screen('[download] %s has already been downloaded' % file_name)
          except UnicodeEncodeError:
 -            self.to_screen(u'[download] The file has already been downloaded')
 +            self.to_screen('[download] The file has already been downloaded')
  
      def report_unable_to_resume(self):
          """Report it was impossible to resume download."""
 -        self.to_screen(u'[download] Unable to resume')
 +        self.to_screen('[download] Unable to resume')
  
      def download(self, filename, info_dict):
          """Download to a filename using the info from info_dict
          Return True on success and False otherwise
          """
 -        sleep_interval = self.params.get('sleepinterval', 0)
 -        if sleep_interval > 0:
 -            self.to_screen(u'[download] Sleeping %d seconds...' %sleep_interval)
 -            time.sleep(sleep_interval)
++
 +        nooverwrites_and_exists = (
 +            self.params.get('nooverwrites', False)
 +            and os.path.exists(encodeFilename(filename))
 +        )
 +
 +        continuedl_and_exists = (
 +            self.params.get('continuedl', False)
 +            and os.path.isfile(encodeFilename(filename))
 +            and not self.params.get('nopart', False)
 +        )
 +
          # Check file already present
 -        if self.params.get('continuedl', False) and os.path.isfile(encodeFilename(filename)) and not self.params.get('nopart', False):
 +        if filename != '-' and nooverwrites_and_exists or continuedl_and_exists:
              self.report_file_already_downloaded(filename)
              self._hook_progress({
                  'filename': filename,
              })
              return True
  
++        sleep_interval = self.params.get('sleep_interval')
++        if sleep_interval:
++            self.to_screen('[download] Sleeping %s seconds...' % sleep_interval)
++            time.sleep(sleep_interval)
++
          return self.real_download(filename, info_dict)
  
      def real_download(self, filename, info_dict):
          """Real download process. Redefine in subclasses."""
 -        raise NotImplementedError(u'This method must be implemented by subclasses')
 +        raise NotImplementedError('This method must be implemented by subclasses')
  
      def _hook_progress(self, status):
          for ph in self._progress_hooks:
              ph(status)
  
      def add_progress_hook(self, ph):
 -        """ ph gets called on download progress, with a dictionary with the entries
 -        * filename: The final filename
 -        * status: One of "downloading" and "finished"
 -
 -        It can also have some of the following entries:
 -
 -        * downloaded_bytes: Bytes on disks
 -        * total_bytes: Total bytes, None if unknown
 -        * tmpfilename: The filename we're currently writing to
 -        * eta: The estimated time in seconds, None if unknown
 -        * speed: The download speed in bytes/second, None if unknown
 -
 -        Hooks are guaranteed to be called at least once (with status "finished")
 -        if the download is successful.
 -        """
 +        # See YoutubeDl.py (search for progress_hooks) for a description of
 +        # this interface
          self._progress_hooks.append(ph)
diff --combined youtube_dl/options.py
index fd7b400b2a67204c2378303fbf33d2d0a3470993,0000000000000000000000000000000000000000..12c9826f8442b56d06e09a355a416943732a0c59
mode 100644,000000..100644
--- /dev/null
@@@ -1,725 -1,0 +1,729 @@@
 +from __future__ import unicode_literals
 +
 +import os.path
 +import optparse
 +import shlex
 +import sys
 +
 +from .compat import (
 +    compat_expanduser,
 +    compat_getenv,
 +    compat_kwargs,
 +)
 +from .utils import (
 +    get_term_width,
 +    write_string,
 +)
 +from .version import __version__
 +
 +
 +def parseOpts(overrideArguments=None):
 +    def _readOptions(filename_bytes, default=[]):
 +        try:
 +            optionf = open(filename_bytes)
 +        except IOError:
 +            return default  # silently skip if file is not present
 +        try:
 +            res = []
 +            for l in optionf:
 +                res += shlex.split(l, comments=True)
 +        finally:
 +            optionf.close()
 +        return res
 +
 +    def _readUserConf():
 +        xdg_config_home = compat_getenv('XDG_CONFIG_HOME')
 +        if xdg_config_home:
 +            userConfFile = os.path.join(xdg_config_home, 'youtube-dl', 'config')
 +            if not os.path.isfile(userConfFile):
 +                userConfFile = os.path.join(xdg_config_home, 'youtube-dl.conf')
 +        else:
 +            userConfFile = os.path.join(compat_expanduser('~'), '.config', 'youtube-dl', 'config')
 +            if not os.path.isfile(userConfFile):
 +                userConfFile = os.path.join(compat_expanduser('~'), '.config', 'youtube-dl.conf')
 +        userConf = _readOptions(userConfFile, None)
 +
 +        if userConf is None:
 +            appdata_dir = compat_getenv('appdata')
 +            if appdata_dir:
 +                userConf = _readOptions(
 +                    os.path.join(appdata_dir, 'youtube-dl', 'config'),
 +                    default=None)
 +                if userConf is None:
 +                    userConf = _readOptions(
 +                        os.path.join(appdata_dir, 'youtube-dl', 'config.txt'),
 +                        default=None)
 +
 +        if userConf is None:
 +            userConf = _readOptions(
 +                os.path.join(compat_expanduser('~'), 'youtube-dl.conf'),
 +                default=None)
 +        if userConf is None:
 +            userConf = _readOptions(
 +                os.path.join(compat_expanduser('~'), 'youtube-dl.conf.txt'),
 +                default=None)
 +
 +        if userConf is None:
 +            userConf = []
 +
 +        return userConf
 +
 +    def _format_option_string(option):
 +        ''' ('-o', '--option') -> -o, --format METAVAR'''
 +
 +        opts = []
 +
 +        if option._short_opts:
 +            opts.append(option._short_opts[0])
 +        if option._long_opts:
 +            opts.append(option._long_opts[0])
 +        if len(opts) > 1:
 +            opts.insert(1, ', ')
 +
 +        if option.takes_value():
 +            opts.append(' %s' % option.metavar)
 +
 +        return "".join(opts)
 +
 +    def _comma_separated_values_options_callback(option, opt_str, value, parser):
 +        setattr(parser.values, option.dest, value.split(','))
 +
 +    def _hide_login_info(opts):
 +        opts = list(opts)
 +        for private_opt in ['-p', '--password', '-u', '--username', '--video-password']:
 +            try:
 +                i = opts.index(private_opt)
 +                opts[i + 1] = 'PRIVATE'
 +            except ValueError:
 +                pass
 +        return opts
 +
 +    # No need to wrap help messages if we're on a wide console
 +    columns = get_term_width()
 +    max_width = columns if columns else 80
 +    max_help_position = 80
 +
 +    fmt = optparse.IndentedHelpFormatter(width=max_width, max_help_position=max_help_position)
 +    fmt.format_option_strings = _format_option_string
 +
 +    kw = {
 +        'version': __version__,
 +        'formatter': fmt,
 +        'usage': '%prog [OPTIONS] URL [URL...]',
 +        'conflict_handler': 'resolve',
 +    }
 +
 +    parser = optparse.OptionParser(**compat_kwargs(kw))
 +
 +    general = optparse.OptionGroup(parser, 'General Options')
 +    general.add_option(
 +        '-h', '--help',
 +        action='help',
 +        help='print this help text and exit')
 +    general.add_option(
 +        '-v', '--version',
 +        action='version',
 +        help='print program version and exit')
 +    general.add_option(
 +        '-U', '--update',
 +        action='store_true', dest='update_self',
 +        help='update this program to latest version. Make sure that you have sufficient permissions (run with sudo if needed)')
 +    general.add_option(
 +        '-i', '--ignore-errors',
 +        action='store_true', dest='ignoreerrors', default=False,
 +        help='continue on download errors, for example to skip unavailable videos in a playlist')
 +    general.add_option(
 +        '--abort-on-error',
 +        action='store_false', dest='ignoreerrors',
 +        help='Abort downloading of further videos (in the playlist or the command line) if an error occurs')
 +    general.add_option(
 +        '--dump-user-agent',
 +        action='store_true', dest='dump_user_agent', default=False,
 +        help='display the current browser identification')
 +    general.add_option(
 +        '--list-extractors',
 +        action='store_true', dest='list_extractors', default=False,
 +        help='List all supported extractors and the URLs they would handle')
 +    general.add_option(
 +        '--extractor-descriptions',
 +        action='store_true', dest='list_extractor_descriptions', default=False,
 +        help='Output descriptions of all supported extractors')
 +    general.add_option(
 +        '--default-search',
 +        dest='default_search', metavar='PREFIX',
 +        help='Use this prefix for unqualified URLs. For example "gvsearch2:" downloads two videos from google videos for  youtube-dl "large apple". Use the value "auto" to let youtube-dl guess ("auto_warning" to emit a warning when guessing). "error" just throws an error. The default value "fixup_error" repairs broken URLs, but emits an error if this is not possible instead of searching.')
 +    general.add_option(
 +        '--ignore-config',
 +        action='store_true',
 +        help='Do not read configuration files. '
 +        'When given in the global configuration file /etc/youtube-dl.conf: '
 +        'Do not read the user configuration in ~/.config/youtube-dl/config '
 +        '(%APPDATA%/youtube-dl/config.txt on Windows)')
 +    general.add_option(
 +        '--flat-playlist',
 +        action='store_const', dest='extract_flat', const='in_playlist',
 +        default=False,
 +        help='Do not extract the videos of a playlist, only list them.')
 +
 +    network = optparse.OptionGroup(parser, 'Network Options')
 +    network.add_option(
 +        '--proxy', dest='proxy',
 +        default=None, metavar='URL',
 +        help='Use the specified HTTP/HTTPS proxy. Pass in an empty string (--proxy "") for direct connection')
 +    network.add_option(
 +        '--socket-timeout',
 +        dest='socket_timeout', type=float, default=None, metavar='SECONDS',
 +        help='Time to wait before giving up, in seconds')
 +    network.add_option(
 +        '--source-address',
 +        metavar='IP', dest='source_address', default=None,
 +        help='Client-side IP address to bind to (experimental)',
 +    )
 +    network.add_option(
 +        '-4', '--force-ipv4',
 +        action='store_const', const='0.0.0.0', dest='source_address',
 +        help='Make all connections via IPv4 (experimental)',
 +    )
 +    network.add_option(
 +        '-6', '--force-ipv6',
 +        action='store_const', const='::', dest='source_address',
 +        help='Make all connections via IPv6 (experimental)',
 +    )
 +
 +    selection = optparse.OptionGroup(parser, 'Video Selection')
 +    selection.add_option(
 +        '--playlist-start',
 +        dest='playliststart', metavar='NUMBER', default=1, type=int,
 +        help='playlist video to start at (default is %default)')
 +    selection.add_option(
 +        '--playlist-end',
 +        dest='playlistend', metavar='NUMBER', default=None, type=int,
 +        help='playlist video to end at (default is last)')
 +    selection.add_option(
 +        '--match-title',
 +        dest='matchtitle', metavar='REGEX',
 +        help='download only matching titles (regex or caseless sub-string)')
 +    selection.add_option(
 +        '--reject-title',
 +        dest='rejecttitle', metavar='REGEX',
 +        help='skip download for matching titles (regex or caseless sub-string)')
 +    selection.add_option(
 +        '--max-downloads',
 +        dest='max_downloads', metavar='NUMBER', type=int, default=None,
 +        help='Abort after downloading NUMBER files')
 +    selection.add_option(
 +        '--min-filesize',
 +        metavar='SIZE', dest='min_filesize', default=None,
 +        help='Do not download any videos smaller than SIZE (e.g. 50k or 44.6m)')
 +    selection.add_option(
 +        '--max-filesize',
 +        metavar='SIZE', dest='max_filesize', default=None,
 +        help='Do not download any videos larger than SIZE (e.g. 50k or 44.6m)')
 +    selection.add_option(
 +        '--date',
 +        metavar='DATE', dest='date', default=None,
 +        help='download only videos uploaded in this date')
 +    selection.add_option(
 +        '--datebefore',
 +        metavar='DATE', dest='datebefore', default=None,
 +        help='download only videos uploaded on or before this date (i.e. inclusive)')
 +    selection.add_option(
 +        '--dateafter',
 +        metavar='DATE', dest='dateafter', default=None,
 +        help='download only videos uploaded on or after this date (i.e. inclusive)')
 +    selection.add_option(
 +        '--min-views',
 +        metavar='COUNT', dest='min_views', default=None, type=int,
 +        help='Do not download any videos with less than COUNT views',)
 +    selection.add_option(
 +        '--max-views',
 +        metavar='COUNT', dest='max_views', default=None, type=int,
 +        help='Do not download any videos with more than COUNT views')
 +    selection.add_option(
 +        '--no-playlist',
 +        action='store_true', dest='noplaylist', default=False,
 +        help='If the URL refers to a video and a playlist, download only the video.')
 +    selection.add_option(
 +        '--age-limit',
 +        metavar='YEARS', dest='age_limit', default=None, type=int,
 +        help='download only videos suitable for the given age')
 +    selection.add_option(
 +        '--download-archive', metavar='FILE',
 +        dest='download_archive',
 +        help='Download only videos not listed in the archive file. Record the IDs of all downloaded videos in it.')
 +    selection.add_option(
 +        '--include-ads',
 +        dest='include_ads', action='store_true',
 +        help='Download advertisements as well (experimental)')
 +
 +    authentication = optparse.OptionGroup(parser, 'Authentication Options')
 +    authentication.add_option(
 +        '-u', '--username',
 +        dest='username', metavar='USERNAME',
 +        help='login with this account ID')
 +    authentication.add_option(
 +        '-p', '--password',
 +        dest='password', metavar='PASSWORD',
 +        help='account password. If this option is left out, youtube-dl will ask interactively.')
 +    authentication.add_option(
 +        '-2', '--twofactor',
 +        dest='twofactor', metavar='TWOFACTOR',
 +        help='two-factor auth code')
 +    authentication.add_option(
 +        '-n', '--netrc',
 +        action='store_true', dest='usenetrc', default=False,
 +        help='use .netrc authentication data')
 +    authentication.add_option(
 +        '--video-password',
 +        dest='videopassword', metavar='PASSWORD',
 +        help='video password (vimeo, smotri)')
 +
 +    video_format = optparse.OptionGroup(parser, 'Video Format Options')
 +    video_format.add_option(
 +        '-f', '--format',
 +        action='store', dest='format', metavar='FORMAT', default=None,
 +        help=(
 +            'video format code, specify the order of preference using'
 +            ' slashes, as in -f 22/17/18 . '
 +            ' Instead of format codes, you can select by extension for the '
 +            'extensions aac, m4a, mp3, mp4, ogg, wav, webm. '
 +            'You can also use the special names "best",'
 +            ' "bestvideo", "bestaudio", "worst". '
 +            ' You can filter the video results by putting a condition in'
 +            ' brackets, as in -f "best[height=720]"'
 +            ' (or -f "[filesize>10M]"). '
 +            ' This works for filesize, height, width, tbr, abr, and vbr'
 +            ' and the comparisons <, <=, >, >=, =, != .'
 +            ' Formats for which the value is not known are excluded unless you'
 +            ' put a question mark (?) after the operator.'
 +            ' You can combine format filters, so  '
 +            '-f "[height <=? 720][tbr>500]" '
 +            'selects up to 720p videos (or videos where the height is not '
 +            'known) with a bitrate of at least 500 KBit/s.'
 +            ' By default, youtube-dl will pick the best quality.'
 +            ' Use commas to download multiple audio formats, such as'
 +            ' -f  136/137/mp4/bestvideo,140/m4a/bestaudio.'
 +            ' You can merge the video and audio of two formats into a single'
 +            ' file using -f <video-format>+<audio-format> (requires ffmpeg or'
 +            ' avconv), for example -f bestvideo+bestaudio.'))
 +    video_format.add_option(
 +        '--all-formats',
 +        action='store_const', dest='format', const='all',
 +        help='download all available video formats')
 +    video_format.add_option(
 +        '--prefer-free-formats',
 +        action='store_true', dest='prefer_free_formats', default=False,
 +        help='prefer free video formats unless a specific one is requested')
 +    video_format.add_option(
 +        '--max-quality',
 +        action='store', dest='format_limit', metavar='FORMAT',
 +        help='highest quality format to download')
 +    video_format.add_option(
 +        '-F', '--list-formats',
 +        action='store_true', dest='listformats',
 +        help='list all available formats')
 +    video_format.add_option(
 +        '--youtube-include-dash-manifest',
 +        action='store_true', dest='youtube_include_dash_manifest', default=True,
 +        help=optparse.SUPPRESS_HELP)
 +    video_format.add_option(
 +        '--youtube-skip-dash-manifest',
 +        action='store_false', dest='youtube_include_dash_manifest',
 +        help='Do not download the DASH manifest on YouTube videos')
 +    video_format.add_option(
 +        '--merge-output-format',
 +        action='store', dest='merge_output_format', metavar='FORMAT', default=None,
 +        help=(
 +            'If a merge is required (e.g. bestvideo+bestaudio), output to given container format. One of mkv, mp4, ogg, webm, flv.'
 +            'Ignored if no merge is required'))
 +
 +    subtitles = optparse.OptionGroup(parser, 'Subtitle Options')
 +    subtitles.add_option(
 +        '--write-sub', '--write-srt',
 +        action='store_true', dest='writesubtitles', default=False,
 +        help='write subtitle file')
 +    subtitles.add_option(
 +        '--write-auto-sub', '--write-automatic-sub',
 +        action='store_true', dest='writeautomaticsub', default=False,
 +        help='write automatic subtitle file (youtube only)')
 +    subtitles.add_option(
 +        '--all-subs',
 +        action='store_true', dest='allsubtitles', default=False,
 +        help='downloads all the available subtitles of the video')
 +    subtitles.add_option(
 +        '--list-subs',
 +        action='store_true', dest='listsubtitles', default=False,
 +        help='lists all available subtitles for the video')
 +    subtitles.add_option(
 +        '--sub-format',
 +        action='store', dest='subtitlesformat', metavar='FORMAT', default='srt',
 +        help='subtitle format (default=srt) ([sbv/vtt] youtube only)')
 +    subtitles.add_option(
 +        '--sub-lang', '--sub-langs', '--srt-lang',
 +        action='callback', dest='subtitleslangs', metavar='LANGS', type='str',
 +        default=[], callback=_comma_separated_values_options_callback,
 +        help='languages of the subtitles to download (optional) separated by commas, use IETF language tags like \'en,pt\'')
 +
 +    downloader = optparse.OptionGroup(parser, 'Download Options')
 +    downloader.add_option(
 +        '-r', '--rate-limit',
 +        dest='ratelimit', metavar='LIMIT',
 +        help='maximum download rate in bytes per second (e.g. 50K or 4.2M)')
 +    downloader.add_option(
 +        '-R', '--retries',
 +        dest='retries', metavar='RETRIES', default=10,
 +        help='number of retries (default is %default)')
 +    downloader.add_option(
 +        '--buffer-size',
 +        dest='buffersize', metavar='SIZE', default='1024',
 +        help='size of download buffer (e.g. 1024 or 16K) (default is %default)')
 +    downloader.add_option(
 +        '--no-resize-buffer',
 +        action='store_true', dest='noresizebuffer', default=False,
 +        help='do not automatically adjust the buffer size. By default, the buffer size is automatically resized from an initial value of SIZE.')
 +    downloader.add_option(
 +        '--test',
 +        action='store_true', dest='test', default=False,
 +        help=optparse.SUPPRESS_HELP)
 +    downloader.add_option(
 +        '--playlist-reverse',
 +        action='store_true',
 +        help='Download playlist videos in reverse order')
 +
 +    workarounds = optparse.OptionGroup(parser, 'Workarounds')
 +    workarounds.add_option(
 +        '--encoding',
 +        dest='encoding', metavar='ENCODING',
 +        help='Force the specified encoding (experimental)')
 +    workarounds.add_option(
 +        '--no-check-certificate',
 +        action='store_true', dest='no_check_certificate', default=False,
 +        help='Suppress HTTPS certificate validation.')
 +    workarounds.add_option(
 +        '--prefer-insecure',
 +        '--prefer-unsecure', action='store_true', dest='prefer_insecure',
 +        help='Use an unencrypted connection to retrieve information about the video. (Currently supported only for YouTube)')
 +    workarounds.add_option(
 +        '--user-agent',
 +        metavar='UA', dest='user_agent',
 +        help='specify a custom user agent')
 +    workarounds.add_option(
 +        '--referer',
 +        metavar='URL', dest='referer', default=None,
 +        help='specify a custom referer, use if the video access is restricted to one domain',
 +    )
 +    workarounds.add_option(
 +        '--add-header',
 +        metavar='FIELD:VALUE', dest='headers', action='append',
 +        help='specify a custom HTTP header and its value, separated by a colon \':\'. You can use this option multiple times',
 +    )
 +    workarounds.add_option(
 +        '--bidi-workaround',
 +        dest='bidi_workaround', action='store_true',
 +        help='Work around terminals that lack bidirectional text support. Requires bidiv or fribidi executable in PATH')
++    workarounds.add_option(
++        '--sleep-interval', metavar='SECONDS',
++        dest='sleep_interval',
++        help='Number of seconds to sleep before each download.')
 +
 +    verbosity = optparse.OptionGroup(parser, 'Verbosity / Simulation Options')
 +    verbosity.add_option(
 +        '-q', '--quiet',
 +        action='store_true', dest='quiet', default=False,
 +        help='activates quiet mode')
 +    verbosity.add_option(
 +        '--no-warnings',
 +        dest='no_warnings', action='store_true', default=False,
 +        help='Ignore warnings')
 +    verbosity.add_option(
 +        '-s', '--simulate',
 +        action='store_true', dest='simulate', default=False,
 +        help='do not download the video and do not write anything to disk',)
 +    verbosity.add_option(
 +        '--skip-download',
 +        action='store_true', dest='skip_download', default=False,
 +        help='do not download the video',)
 +    verbosity.add_option(
 +        '-g', '--get-url',
 +        action='store_true', dest='geturl', default=False,
 +        help='simulate, quiet but print URL')
 +    verbosity.add_option(
 +        '-e', '--get-title',
 +        action='store_true', dest='gettitle', default=False,
 +        help='simulate, quiet but print title')
 +    verbosity.add_option(
 +        '--get-id',
 +        action='store_true', dest='getid', default=False,
 +        help='simulate, quiet but print id')
 +    verbosity.add_option(
 +        '--get-thumbnail',
 +        action='store_true', dest='getthumbnail', default=False,
 +        help='simulate, quiet but print thumbnail URL')
 +    verbosity.add_option(
 +        '--get-description',
 +        action='store_true', dest='getdescription', default=False,
 +        help='simulate, quiet but print video description')
 +    verbosity.add_option(
 +        '--get-duration',
 +        action='store_true', dest='getduration', default=False,
 +        help='simulate, quiet but print video length')
 +    verbosity.add_option(
 +        '--get-filename',
 +        action='store_true', dest='getfilename', default=False,
 +        help='simulate, quiet but print output filename')
 +    verbosity.add_option(
 +        '--get-format',
 +        action='store_true', dest='getformat', default=False,
 +        help='simulate, quiet but print output format')
 +    verbosity.add_option(
 +        '-j', '--dump-json',
 +        action='store_true', dest='dumpjson', default=False,
 +        help='simulate, quiet but print JSON information. See --output for a description of available keys.')
 +    verbosity.add_option(
 +        '-J', '--dump-single-json',
 +        action='store_true', dest='dump_single_json', default=False,
 +        help='simulate, quiet but print JSON information for each command-line argument. If the URL refers to a playlist, dump the whole playlist information in a single line.')
 +    verbosity.add_option(
 +        '--print-json',
 +        action='store_true', dest='print_json', default=False,
 +        help='Be quiet and print the video information as JSON (video is still being downloaded).',
 +    )
 +    verbosity.add_option(
 +        '--newline',
 +        action='store_true', dest='progress_with_newline', default=False,
 +        help='output progress bar as new lines')
 +    verbosity.add_option(
 +        '--no-progress',
 +        action='store_true', dest='noprogress', default=False,
 +        help='do not print progress bar')
 +    verbosity.add_option(
 +        '--console-title',
 +        action='store_true', dest='consoletitle', default=False,
 +        help='display progress in console titlebar')
 +    verbosity.add_option(
 +        '-v', '--verbose',
 +        action='store_true', dest='verbose', default=False,
 +        help='print various debugging information')
 +    verbosity.add_option(
 +        '--dump-intermediate-pages',
 +        action='store_true', dest='dump_intermediate_pages', default=False,
 +        help='print downloaded pages to debug problems (very verbose)')
 +    verbosity.add_option(
 +        '--write-pages',
 +        action='store_true', dest='write_pages', default=False,
 +        help='Write downloaded intermediary pages to files in the current directory to debug problems')
 +    verbosity.add_option(
 +        '--youtube-print-sig-code',
 +        action='store_true', dest='youtube_print_sig_code', default=False,
 +        help=optparse.SUPPRESS_HELP)
 +    verbosity.add_option(
 +        '--print-traffic',
 +        dest='debug_printtraffic', action='store_true', default=False,
 +        help='Display sent and read HTTP traffic')
 +    verbosity.add_option(
 +        '-C', '--call-home',
 +        dest='call_home', action='store_true', default=False,
 +        help='Contact the youtube-dl server for debugging.')
 +    verbosity.add_option(
 +        '--no-call-home',
 +        dest='call_home', action='store_false', default=False,
 +        help='Do NOT contact the youtube-dl server for debugging.')
 +
 +    filesystem = optparse.OptionGroup(parser, 'Filesystem Options')
 +    filesystem.add_option(
 +        '-a', '--batch-file',
 +        dest='batchfile', metavar='FILE',
 +        help='file containing URLs to download (\'-\' for stdin)')
 +    filesystem.add_option(
 +        '--id', default=False,
 +        action='store_true', dest='useid', help='use only video ID in file name')
 +    filesystem.add_option(
 +        '-o', '--output',
 +        dest='outtmpl', metavar='TEMPLATE',
 +        help=('output filename template. Use %(title)s to get the title, '
 +              '%(uploader)s for the uploader name, %(uploader_id)s for the uploader nickname if different, '
 +              '%(autonumber)s to get an automatically incremented number, '
 +              '%(ext)s for the filename extension, '
 +              '%(format)s for the format description (like "22 - 1280x720" or "HD"), '
 +              '%(format_id)s for the unique id of the format (like Youtube\'s itags: "137"), '
 +              '%(upload_date)s for the upload date (YYYYMMDD), '
 +              '%(extractor)s for the provider (youtube, metacafe, etc), '
 +              '%(id)s for the video id, '
 +              '%(playlist_title)s, %(playlist_id)s, or %(playlist)s (=title if present, ID otherwise) for the playlist the video is in, '
 +              '%(playlist_index)s for the position in the playlist. '
 +              '%(height)s and %(width)s for the width and height of the video format. '
 +              '%(resolution)s for a textual description of the resolution of the video format. '
 +              '%% for a literal percent. '
 +              'Use - to output to stdout. Can also be used to download to a different directory, '
 +              'for example with -o \'/my/downloads/%(uploader)s/%(title)s-%(id)s.%(ext)s\' .'))
 +    filesystem.add_option(
 +        '--autonumber-size',
 +        dest='autonumber_size', metavar='NUMBER',
 +        help='Specifies the number of digits in %(autonumber)s when it is present in output filename template or --auto-number option is given')
 +    filesystem.add_option(
 +        '--restrict-filenames',
 +        action='store_true', dest='restrictfilenames', default=False,
 +        help='Restrict filenames to only ASCII characters, and avoid "&" and spaces in filenames')
 +    filesystem.add_option(
 +        '-A', '--auto-number',
 +        action='store_true', dest='autonumber', default=False,
 +        help='[deprecated; use  -o "%(autonumber)s-%(title)s.%(ext)s" ] number downloaded files starting from 00000')
 +    filesystem.add_option(
 +        '-t', '--title',
 +        action='store_true', dest='usetitle', default=False,
 +        help='[deprecated] use title in file name (default)')
 +    filesystem.add_option(
 +        '-l', '--literal', default=False,
 +        action='store_true', dest='usetitle',
 +        help='[deprecated] alias of --title')
 +    filesystem.add_option(
 +        '-w', '--no-overwrites',
 +        action='store_true', dest='nooverwrites', default=False,
 +        help='do not overwrite files')
 +    filesystem.add_option(
 +        '-c', '--continue',
 +        action='store_true', dest='continue_dl', default=True,
 +        help='force resume of partially downloaded files. By default, youtube-dl will resume downloads if possible.')
 +    filesystem.add_option(
 +        '--no-continue',
 +        action='store_false', dest='continue_dl',
 +        help='do not resume partially downloaded files (restart from beginning)')
 +    filesystem.add_option(
 +        '--no-part',
 +        action='store_true', dest='nopart', default=False,
 +        help='do not use .part files - write directly into output file')
 +    filesystem.add_option(
 +        '--no-mtime',
 +        action='store_false', dest='updatetime', default=True,
 +        help='do not use the Last-modified header to set the file modification time')
 +    filesystem.add_option(
 +        '--write-description',
 +        action='store_true', dest='writedescription', default=False,
 +        help='write video description to a .description file')
 +    filesystem.add_option(
 +        '--write-info-json',
 +        action='store_true', dest='writeinfojson', default=False,
 +        help='write video metadata to a .info.json file')
 +    filesystem.add_option(
 +        '--write-annotations',
 +        action='store_true', dest='writeannotations', default=False,
 +        help='write video annotations to a .annotation file')
 +    filesystem.add_option(
 +        '--write-thumbnail',
 +        action='store_true', dest='writethumbnail', default=False,
 +        help='write thumbnail image to disk')
 +    filesystem.add_option(
 +        '--load-info',
 +        dest='load_info_filename', metavar='FILE',
 +        help='json file containing the video information (created with the "--write-json" option)')
 +    filesystem.add_option(
 +        '--cookies',
 +        dest='cookiefile', metavar='FILE',
 +        help='file to read cookies from and dump cookie jar in')
 +    filesystem.add_option(
 +        '--cache-dir', dest='cachedir', default=None, metavar='DIR',
 +        help='Location in the filesystem where youtube-dl can store some downloaded information permanently. By default $XDG_CACHE_HOME/youtube-dl or ~/.cache/youtube-dl . At the moment, only YouTube player files (for videos with obfuscated signatures) are cached, but that may change.')
 +    filesystem.add_option(
 +        '--no-cache-dir', action='store_const', const=False, dest='cachedir',
 +        help='Disable filesystem caching')
 +    filesystem.add_option(
 +        '--rm-cache-dir',
 +        action='store_true', dest='rm_cachedir',
 +        help='Delete all filesystem cache files')
 +
 +    postproc = optparse.OptionGroup(parser, 'Post-processing Options')
 +    postproc.add_option(
 +        '-x', '--extract-audio',
 +        action='store_true', dest='extractaudio', default=False,
 +        help='convert video files to audio-only files (requires ffmpeg or avconv and ffprobe or avprobe)')
 +    postproc.add_option(
 +        '--audio-format', metavar='FORMAT', dest='audioformat', default='best',
 +        help='"best", "aac", "vorbis", "mp3", "m4a", "opus", or "wav"; "%default" by default')
 +    postproc.add_option(
 +        '--audio-quality', metavar='QUALITY',
 +        dest='audioquality', default='5',
 +        help='ffmpeg/avconv audio quality specification, insert a value between 0 (better) and 9 (worse) for VBR or a specific bitrate like 128K (default %default)')
 +    postproc.add_option(
 +        '--recode-video',
 +        metavar='FORMAT', dest='recodevideo', default=None,
 +        help='Encode the video to another format if necessary (currently supported: mp4|flv|ogg|webm|mkv)')
 +    postproc.add_option(
 +        '-k', '--keep-video',
 +        action='store_true', dest='keepvideo', default=False,
 +        help='keeps the video file on disk after the post-processing; the video is erased by default')
 +    postproc.add_option(
 +        '--no-post-overwrites',
 +        action='store_true', dest='nopostoverwrites', default=False,
 +        help='do not overwrite post-processed files; the post-processed files are overwritten by default')
 +    postproc.add_option(
 +        '--embed-subs',
 +        action='store_true', dest='embedsubtitles', default=False,
 +        help='embed subtitles in the video (only for mp4 videos)')
 +    postproc.add_option(
 +        '--embed-thumbnail',
 +        action='store_true', dest='embedthumbnail', default=False,
 +        help='embed thumbnail in the audio as cover art')
 +    postproc.add_option(
 +        '--add-metadata',
 +        action='store_true', dest='addmetadata', default=False,
 +        help='write metadata to the video file')
 +    postproc.add_option(
 +        '--xattrs',
 +        action='store_true', dest='xattrs', default=False,
 +        help='write metadata to the video file\'s xattrs (using dublin core and xdg standards)')
 +    postproc.add_option(
 +        '--fixup',
 +        metavar='POLICY', dest='fixup', default='detect_or_warn',
 +        help='(experimental) Automatically correct known faults of the file. '
 +             'One of never (do nothing), warn (only emit a warning), '
 +             'detect_or_warn(check whether we can do anything about it, warn '
 +             'otherwise')
 +    postproc.add_option(
 +        '--prefer-avconv',
 +        action='store_false', dest='prefer_ffmpeg',
 +        help='Prefer avconv over ffmpeg for running the postprocessors (default)')
 +    postproc.add_option(
 +        '--prefer-ffmpeg',
 +        action='store_true', dest='prefer_ffmpeg',
 +        help='Prefer ffmpeg over avconv for running the postprocessors')
 +    postproc.add_option(
 +        '--exec',
 +        metavar='CMD', dest='exec_cmd',
 +        help='Execute a command on the file after downloading, similar to find\'s -exec syntax. Example: --exec \'adb push {} /sdcard/Music/ && rm {}\'')
 +
 +    parser.add_option_group(general)
 +    parser.add_option_group(network)
 +    parser.add_option_group(selection)
 +    parser.add_option_group(downloader)
 +    parser.add_option_group(filesystem)
 +    parser.add_option_group(verbosity)
 +    parser.add_option_group(workarounds)
 +    parser.add_option_group(video_format)
 +    parser.add_option_group(subtitles)
 +    parser.add_option_group(authentication)
 +    parser.add_option_group(postproc)
 +
 +    if overrideArguments is not None:
 +        opts, args = parser.parse_args(overrideArguments)
 +        if opts.verbose:
 +            write_string('[debug] Override config: ' + repr(overrideArguments) + '\n')
 +    else:
 +        commandLineConf = sys.argv[1:]
 +        if '--ignore-config' in commandLineConf:
 +            systemConf = []
 +            userConf = []
 +        else:
 +            systemConf = _readOptions('/etc/youtube-dl.conf')
 +            if '--ignore-config' in systemConf:
 +                userConf = []
 +            else:
 +                userConf = _readUserConf()
 +        argv = systemConf + userConf + commandLineConf
 +
 +        opts, args = parser.parse_args(argv)
 +        if opts.verbose:
 +            write_string('[debug] System config: ' + repr(_hide_login_info(systemConf)) + '\n')
 +            write_string('[debug] User config: ' + repr(_hide_login_info(userConf)) + '\n')
 +            write_string('[debug] Command-line args: ' + repr(_hide_login_info(commandLineConf)) + '\n')
 +
 +    return parser, opts, args