You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

1110 lines
46 KiB

10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
11 years ago
  1. from __future__ import unicode_literals
  2. import base64
  3. import datetime
  4. import hashlib
  5. import json
  6. import netrc
  7. import os
  8. import re
  9. import socket
  10. import sys
  11. import time
  12. import xml.etree.ElementTree
  13. from ..compat import (
  14. compat_cookiejar,
  15. compat_HTTPError,
  16. compat_http_client,
  17. compat_urllib_error,
  18. compat_urllib_parse_urlparse,
  19. compat_urlparse,
  20. compat_str,
  21. )
  22. from ..utils import (
  23. age_restricted,
  24. clean_html,
  25. compiled_regex_type,
  26. ExtractorError,
  27. float_or_none,
  28. int_or_none,
  29. RegexNotFoundError,
  30. sanitize_filename,
  31. unescapeHTML,
  32. )
  33. _NO_DEFAULT = object()
  34. class InfoExtractor(object):
  35. """Information Extractor class.
  36. Information extractors are the classes that, given a URL, extract
  37. information about the video (or videos) the URL refers to. This
  38. information includes the real video URL, the video title, author and
  39. others. The information is stored in a dictionary which is then
  40. passed to the YoutubeDL. The YoutubeDL processes this
  41. information possibly downloading the video to the file system, among
  42. other possible outcomes.
  43. The type field determines the the type of the result.
  44. By far the most common value (and the default if _type is missing) is
  45. "video", which indicates a single video.
  46. For a video, the dictionaries must include the following fields:
  47. id: Video identifier.
  48. title: Video title, unescaped.
  49. Additionally, it must contain either a formats entry or a url one:
  50. formats: A list of dictionaries for each format available, ordered
  51. from worst to best quality.
  52. Potential fields:
  53. * url Mandatory. The URL of the video file
  54. * ext Will be calculated from url if missing
  55. * format A human-readable description of the format
  56. ("mp4 container with h264/opus").
  57. Calculated from the format_id, width, height.
  58. and format_note fields if missing.
  59. * format_id A short description of the format
  60. ("mp4_h264_opus" or "19").
  61. Technically optional, but strongly recommended.
  62. * format_note Additional info about the format
  63. ("3D" or "DASH video")
  64. * width Width of the video, if known
  65. * height Height of the video, if known
  66. * resolution Textual description of width and height
  67. * tbr Average bitrate of audio and video in KBit/s
  68. * abr Average audio bitrate in KBit/s
  69. * acodec Name of the audio codec in use
  70. * asr Audio sampling rate in Hertz
  71. * vbr Average video bitrate in KBit/s
  72. * fps Frame rate
  73. * vcodec Name of the video codec in use
  74. * container Name of the container format
  75. * filesize The number of bytes, if known in advance
  76. * filesize_approx An estimate for the number of bytes
  77. * player_url SWF Player URL (used for rtmpdump).
  78. * protocol The protocol that will be used for the actual
  79. download, lower-case.
  80. "http", "https", "rtsp", "rtmp", "rtmpe",
  81. "m3u8", or "m3u8_native".
  82. * preference Order number of this format. If this field is
  83. present and not None, the formats get sorted
  84. by this field, regardless of all other values.
  85. -1 for default (order by other properties),
  86. -2 or smaller for less than default.
  87. < -1000 to hide the format (if there is
  88. another one which is strictly better)
  89. * language_preference Is this in the correct requested
  90. language?
  91. 10 if it's what the URL is about,
  92. -1 for default (don't know),
  93. -10 otherwise, other values reserved for now.
  94. * quality Order number of the video quality of this
  95. format, irrespective of the file format.
  96. -1 for default (order by other properties),
  97. -2 or smaller for less than default.
  98. * source_preference Order number for this video source
  99. (quality takes higher priority)
  100. -1 for default (order by other properties),
  101. -2 or smaller for less than default.
  102. * http_method HTTP method to use for the download.
  103. * http_headers A dictionary of additional HTTP headers
  104. to add to the request.
  105. * http_post_data Additional data to send with a POST
  106. request.
  107. * stretched_ratio If given and not 1, indicates that the
  108. video's pixels are not square.
  109. width : height ratio as float.
  110. * no_resume The server does not support resuming the
  111. (HTTP or RTMP) download. Boolean.
  112. url: Final video URL.
  113. ext: Video filename extension.
  114. format: The video format, defaults to ext (used for --get-format)
  115. player_url: SWF Player URL (used for rtmpdump).
  116. The following fields are optional:
  117. alt_title: A secondary title of the video.
  118. display_id An alternative identifier for the video, not necessarily
  119. unique, but available before title. Typically, id is
  120. something like "4234987", title "Dancing naked mole rats",
  121. and display_id "dancing-naked-mole-rats"
  122. thumbnails: A list of dictionaries, with the following entries:
  123. * "id" (optional, string) - Thumbnail format ID
  124. * "url"
  125. * "preference" (optional, int) - quality of the image
  126. * "width" (optional, int)
  127. * "height" (optional, int)
  128. * "resolution" (optional, string "{width}x{height"},
  129. deprecated)
  130. thumbnail: Full URL to a video thumbnail image.
  131. description: Full video description.
  132. uploader: Full name of the video uploader.
  133. creator: The main artist who created the video.
  134. timestamp: UNIX timestamp of the moment the video became available.
  135. upload_date: Video upload date (YYYYMMDD).
  136. If not explicitly set, calculated from timestamp.
  137. uploader_id: Nickname or id of the video uploader.
  138. location: Physical location where the video was filmed.
  139. subtitles: The available subtitles as a dictionary in the format
  140. {language: subformats}. "subformats" is a list sorted from
  141. lower to higher preference, each element is a dictionary
  142. with the "ext" entry and one of:
  143. * "data": The subtitles file contents
  144. * "url": A url pointing to the subtitles file
  145. automatic_captions: Like 'subtitles', used by the YoutubeIE for
  146. automatically generated captions
  147. duration: Length of the video in seconds, as an integer.
  148. view_count: How many users have watched the video on the platform.
  149. like_count: Number of positive ratings of the video
  150. dislike_count: Number of negative ratings of the video
  151. average_rating: Average rating give by users, the scale used depends on the webpage
  152. comment_count: Number of comments on the video
  153. comments: A list of comments, each with one or more of the following
  154. properties (all but one of text or html optional):
  155. * "author" - human-readable name of the comment author
  156. * "author_id" - user ID of the comment author
  157. * "id" - Comment ID
  158. * "html" - Comment as HTML
  159. * "text" - Plain text of the comment
  160. * "timestamp" - UNIX timestamp of comment
  161. * "parent" - ID of the comment this one is replying to.
  162. Set to "root" to indicate that this is a
  163. comment to the original video.
  164. age_limit: Age restriction for the video, as an integer (years)
  165. webpage_url: The url to the video webpage, if given to youtube-dl it
  166. should allow to get the same result again. (It will be set
  167. by YoutubeDL if it's missing)
  168. categories: A list of categories that the video falls in, for example
  169. ["Sports", "Berlin"]
  170. is_live: True, False, or None (=unknown). Whether this video is a
  171. live stream that goes on instead of a fixed-length video.
  172. Unless mentioned otherwise, the fields should be Unicode strings.
  173. Unless mentioned otherwise, None is equivalent to absence of information.
  174. _type "playlist" indicates multiple videos.
  175. There must be a key "entries", which is a list, an iterable, or a PagedList
  176. object, each element of which is a valid dictionary by this specification.
  177. Additionally, playlists can have "title" and "id" attributes with the same
  178. semantics as videos (see above).
  179. _type "multi_video" indicates that there are multiple videos that
  180. form a single show, for examples multiple acts of an opera or TV episode.
  181. It must have an entries key like a playlist and contain all the keys
  182. required for a video at the same time.
  183. _type "url" indicates that the video must be extracted from another
  184. location, possibly by a different extractor. Its only required key is:
  185. "url" - the next URL to extract.
  186. The key "ie_key" can be set to the class name (minus the trailing "IE",
  187. e.g. "Youtube") if the extractor class is known in advance.
  188. Additionally, the dictionary may have any properties of the resolved entity
  189. known in advance, for example "title" if the title of the referred video is
  190. known ahead of time.
  191. _type "url_transparent" entities have the same specification as "url", but
  192. indicate that the given additional information is more precise than the one
  193. associated with the resolved URL.
  194. This is useful when a site employs a video service that hosts the video and
  195. its technical metadata, but that video service does not embed a useful
  196. title, description etc.
  197. Subclasses of this one should re-define the _real_initialize() and
  198. _real_extract() methods and define a _VALID_URL regexp.
  199. Probably, they should also be added to the list of extractors.
  200. Finally, the _WORKING attribute should be set to False for broken IEs
  201. in order to warn the users and skip the tests.
  202. """
  203. _ready = False
  204. _downloader = None
  205. _WORKING = True
  206. def __init__(self, downloader=None):
  207. """Constructor. Receives an optional downloader."""
  208. self._ready = False
  209. self.set_downloader(downloader)
  210. @classmethod
  211. def suitable(cls, url):
  212. """Receives a URL and returns True if suitable for this IE."""
  213. # This does not use has/getattr intentionally - we want to know whether
  214. # we have cached the regexp for *this* class, whereas getattr would also
  215. # match the superclass
  216. if '_VALID_URL_RE' not in cls.__dict__:
  217. cls._VALID_URL_RE = re.compile(cls._VALID_URL)
  218. return cls._VALID_URL_RE.match(url) is not None
  219. @classmethod
  220. def _match_id(cls, url):
  221. if '_VALID_URL_RE' not in cls.__dict__:
  222. cls._VALID_URL_RE = re.compile(cls._VALID_URL)
  223. m = cls._VALID_URL_RE.match(url)
  224. assert m
  225. return m.group('id')
  226. @classmethod
  227. def working(cls):
  228. """Getter method for _WORKING."""
  229. return cls._WORKING
  230. def initialize(self):
  231. """Initializes an instance (authentication, etc)."""
  232. if not self._ready:
  233. self._real_initialize()
  234. self._ready = True
  235. def extract(self, url):
  236. """Extracts URL information and returns it in list of dicts."""
  237. try:
  238. self.initialize()
  239. return self._real_extract(url)
  240. except ExtractorError:
  241. raise
  242. except compat_http_client.IncompleteRead as e:
  243. raise ExtractorError('A network error has occured.', cause=e, expected=True)
  244. except (KeyError, StopIteration) as e:
  245. raise ExtractorError('An extractor error has occured.', cause=e)
  246. def set_downloader(self, downloader):
  247. """Sets the downloader for this IE."""
  248. self._downloader = downloader
  249. def _real_initialize(self):
  250. """Real initialization process. Redefine in subclasses."""
  251. pass
  252. def _real_extract(self, url):
  253. """Real extraction process. Redefine in subclasses."""
  254. pass
  255. @classmethod
  256. def ie_key(cls):
  257. """A string for getting the InfoExtractor with get_info_extractor"""
  258. return cls.__name__[:-2]
  259. @property
  260. def IE_NAME(self):
  261. return type(self).__name__[:-2]
  262. def _request_webpage(self, url_or_request, video_id, note=None, errnote=None, fatal=True):
  263. """ Returns the response handle """
  264. if note is None:
  265. self.report_download_webpage(video_id)
  266. elif note is not False:
  267. if video_id is None:
  268. self.to_screen('%s' % (note,))
  269. else:
  270. self.to_screen('%s: %s' % (video_id, note))
  271. try:
  272. return self._downloader.urlopen(url_or_request)
  273. except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
  274. if errnote is False:
  275. return False
  276. if errnote is None:
  277. errnote = 'Unable to download webpage'
  278. errmsg = '%s: %s' % (errnote, compat_str(err))
  279. if fatal:
  280. raise ExtractorError(errmsg, sys.exc_info()[2], cause=err)
  281. else:
  282. self._downloader.report_warning(errmsg)
  283. return False
  284. def _download_webpage_handle(self, url_or_request, video_id, note=None, errnote=None, fatal=True):
  285. """ Returns a tuple (page content as string, URL handle) """
  286. # Strip hashes from the URL (#1038)
  287. if isinstance(url_or_request, (compat_str, str)):
  288. url_or_request = url_or_request.partition('#')[0]
  289. urlh = self._request_webpage(url_or_request, video_id, note, errnote, fatal)
  290. if urlh is False:
  291. assert not fatal
  292. return False
  293. content = self._webpage_read_content(urlh, url_or_request, video_id, note, errnote, fatal)
  294. return (content, urlh)
  295. def _webpage_read_content(self, urlh, url_or_request, video_id, note=None, errnote=None, fatal=True, prefix=None):
  296. content_type = urlh.headers.get('Content-Type', '')
  297. webpage_bytes = urlh.read()
  298. if prefix is not None:
  299. webpage_bytes = prefix + webpage_bytes
  300. m = re.match(r'[a-zA-Z0-9_.-]+/[a-zA-Z0-9_.-]+\s*;\s*charset=(.+)', content_type)
  301. if m:
  302. encoding = m.group(1)
  303. else:
  304. m = re.search(br'<meta[^>]+charset=[\'"]?([^\'")]+)[ /\'">]',
  305. webpage_bytes[:1024])
  306. if m:
  307. encoding = m.group(1).decode('ascii')
  308. elif webpage_bytes.startswith(b'\xff\xfe'):
  309. encoding = 'utf-16'
  310. else:
  311. encoding = 'utf-8'
  312. if self._downloader.params.get('dump_intermediate_pages', False):
  313. try:
  314. url = url_or_request.get_full_url()
  315. except AttributeError:
  316. url = url_or_request
  317. self.to_screen('Dumping request to ' + url)
  318. dump = base64.b64encode(webpage_bytes).decode('ascii')
  319. self._downloader.to_screen(dump)
  320. if self._downloader.params.get('write_pages', False):
  321. try:
  322. url = url_or_request.get_full_url()
  323. except AttributeError:
  324. url = url_or_request
  325. basen = '%s_%s' % (video_id, url)
  326. if len(basen) > 240:
  327. h = '___' + hashlib.md5(basen.encode('utf-8')).hexdigest()
  328. basen = basen[:240 - len(h)] + h
  329. raw_filename = basen + '.dump'
  330. filename = sanitize_filename(raw_filename, restricted=True)
  331. self.to_screen('Saving request to ' + filename)
  332. # Working around MAX_PATH limitation on Windows (see
  333. # http://msdn.microsoft.com/en-us/library/windows/desktop/aa365247(v=vs.85).aspx)
  334. if os.name == 'nt':
  335. absfilepath = os.path.abspath(filename)
  336. if len(absfilepath) > 259:
  337. filename = '\\\\?\\' + absfilepath
  338. with open(filename, 'wb') as outf:
  339. outf.write(webpage_bytes)
  340. try:
  341. content = webpage_bytes.decode(encoding, 'replace')
  342. except LookupError:
  343. content = webpage_bytes.decode('utf-8', 'replace')
  344. if ('<title>Access to this site is blocked</title>' in content and
  345. 'Websense' in content[:512]):
  346. msg = 'Access to this webpage has been blocked by Websense filtering software in your network.'
  347. blocked_iframe = self._html_search_regex(
  348. r'<iframe src="([^"]+)"', content,
  349. 'Websense information URL', default=None)
  350. if blocked_iframe:
  351. msg += ' Visit %s for more details' % blocked_iframe
  352. raise ExtractorError(msg, expected=True)
  353. if '<title>The URL you requested has been blocked</title>' in content[:512]:
  354. msg = (
  355. 'Access to this webpage has been blocked by Indian censorship. '
  356. 'Use a VPN or proxy server (with --proxy) to route around it.')
  357. block_msg = self._html_search_regex(
  358. r'</h1><p>(.*?)</p>',
  359. content, 'block message', default=None)
  360. if block_msg:
  361. msg += ' (Message: "%s")' % block_msg.replace('\n', ' ')
  362. raise ExtractorError(msg, expected=True)
  363. return content
  364. def _download_webpage(self, url_or_request, video_id, note=None, errnote=None, fatal=True, tries=1, timeout=5):
  365. """ Returns the data of the page as a string """
  366. success = False
  367. try_count = 0
  368. while success is False:
  369. try:
  370. res = self._download_webpage_handle(url_or_request, video_id, note, errnote, fatal)
  371. success = True
  372. except compat_http_client.IncompleteRead as e:
  373. try_count += 1
  374. if try_count >= tries:
  375. raise e
  376. self._sleep(timeout, video_id)
  377. if res is False:
  378. return res
  379. else:
  380. content, _ = res
  381. return content
  382. def _download_xml(self, url_or_request, video_id,
  383. note='Downloading XML', errnote='Unable to download XML',
  384. transform_source=None, fatal=True):
  385. """Return the xml as an xml.etree.ElementTree.Element"""
  386. xml_string = self._download_webpage(
  387. url_or_request, video_id, note, errnote, fatal=fatal)
  388. if xml_string is False:
  389. return xml_string
  390. if transform_source:
  391. xml_string = transform_source(xml_string)
  392. return xml.etree.ElementTree.fromstring(xml_string.encode('utf-8'))
  393. def _download_json(self, url_or_request, video_id,
  394. note='Downloading JSON metadata',
  395. errnote='Unable to download JSON metadata',
  396. transform_source=None,
  397. fatal=True):
  398. json_string = self._download_webpage(
  399. url_or_request, video_id, note, errnote, fatal=fatal)
  400. if (not fatal) and json_string is False:
  401. return None
  402. return self._parse_json(
  403. json_string, video_id, transform_source=transform_source, fatal=fatal)
  404. def _parse_json(self, json_string, video_id, transform_source=None, fatal=True):
  405. if transform_source:
  406. json_string = transform_source(json_string)
  407. try:
  408. return json.loads(json_string)
  409. except ValueError as ve:
  410. errmsg = '%s: Failed to parse JSON ' % video_id
  411. if fatal:
  412. raise ExtractorError(errmsg, cause=ve)
  413. else:
  414. self.report_warning(errmsg + str(ve))
  415. def report_warning(self, msg, video_id=None):
  416. idstr = '' if video_id is None else '%s: ' % video_id
  417. self._downloader.report_warning(
  418. '[%s] %s%s' % (self.IE_NAME, idstr, msg))
  419. def to_screen(self, msg):
  420. """Print msg to screen, prefixing it with '[ie_name]'"""
  421. self._downloader.to_screen('[%s] %s' % (self.IE_NAME, msg))
  422. def report_extraction(self, id_or_name):
  423. """Report information extraction."""
  424. self.to_screen('%s: Extracting information' % id_or_name)
  425. def report_download_webpage(self, video_id):
  426. """Report webpage download."""
  427. self.to_screen('%s: Downloading webpage' % video_id)
  428. def report_age_confirmation(self):
  429. """Report attempt to confirm age."""
  430. self.to_screen('Confirming age')
  431. def report_login(self):
  432. """Report attempt to log in."""
  433. self.to_screen('Logging in')
  434. # Methods for following #608
  435. @staticmethod
  436. def url_result(url, ie=None, video_id=None):
  437. """Returns a url that points to a page that should be processed"""
  438. # TODO: ie should be the class used for getting the info
  439. video_info = {'_type': 'url',
  440. 'url': url,
  441. 'ie_key': ie}
  442. if video_id is not None:
  443. video_info['id'] = video_id
  444. return video_info
  445. @staticmethod
  446. def playlist_result(entries, playlist_id=None, playlist_title=None, playlist_description=None):
  447. """Returns a playlist"""
  448. video_info = {'_type': 'playlist',
  449. 'entries': entries}
  450. if playlist_id:
  451. video_info['id'] = playlist_id
  452. if playlist_title:
  453. video_info['title'] = playlist_title
  454. if playlist_description:
  455. video_info['description'] = playlist_description
  456. return video_info
  457. def _search_regex(self, pattern, string, name, default=_NO_DEFAULT, fatal=True, flags=0, group=None):
  458. """
  459. Perform a regex search on the given string, using a single or a list of
  460. patterns returning the first matching group.
  461. In case of failure return a default value or raise a WARNING or a
  462. RegexNotFoundError, depending on fatal, specifying the field name.
  463. """
  464. if isinstance(pattern, (str, compat_str, compiled_regex_type)):
  465. mobj = re.search(pattern, string, flags)
  466. else:
  467. for p in pattern:
  468. mobj = re.search(p, string, flags)
  469. if mobj:
  470. break
  471. if not self._downloader.params.get('no_color') and os.name != 'nt' and sys.stderr.isatty():
  472. _name = '\033[0;34m%s\033[0m' % name
  473. else:
  474. _name = name
  475. if mobj:
  476. if group is None:
  477. # return the first matching group
  478. return next(g for g in mobj.groups() if g is not None)
  479. else:
  480. return mobj.group(group)
  481. elif default is not _NO_DEFAULT:
  482. return default
  483. elif fatal:
  484. raise RegexNotFoundError('Unable to extract %s' % _name)
  485. else:
  486. self._downloader.report_warning('unable to extract %s; '
  487. 'please report this issue on http://yt-dl.org/bug' % _name)
  488. return None
  489. def _html_search_regex(self, pattern, string, name, default=_NO_DEFAULT, fatal=True, flags=0, group=None):
  490. """
  491. Like _search_regex, but strips HTML tags and unescapes entities.
  492. """
  493. res = self._search_regex(pattern, string, name, default, fatal, flags, group)
  494. if res:
  495. return clean_html(res).strip()
  496. else:
  497. return res
  498. def _get_login_info(self):
  499. """
  500. Get the the login info as (username, password)
  501. It will look in the netrc file using the _NETRC_MACHINE value
  502. If there's no info available, return (None, None)
  503. """
  504. if self._downloader is None:
  505. return (None, None)
  506. username = None
  507. password = None
  508. downloader_params = self._downloader.params
  509. # Attempt to use provided username and password or .netrc data
  510. if downloader_params.get('username', None) is not None:
  511. username = downloader_params['username']
  512. password = downloader_params['password']
  513. elif downloader_params.get('usenetrc', False):
  514. try:
  515. info = netrc.netrc().authenticators(self._NETRC_MACHINE)
  516. if info is not None:
  517. username = info[0]
  518. password = info[2]
  519. else:
  520. raise netrc.NetrcParseError('No authenticators for %s' % self._NETRC_MACHINE)
  521. except (IOError, netrc.NetrcParseError) as err:
  522. self._downloader.report_warning('parsing .netrc: %s' % compat_str(err))
  523. return (username, password)
  524. def _get_tfa_info(self):
  525. """
  526. Get the two-factor authentication info
  527. TODO - asking the user will be required for sms/phone verify
  528. currently just uses the command line option
  529. If there's no info available, return None
  530. """
  531. if self._downloader is None:
  532. return None
  533. downloader_params = self._downloader.params
  534. if downloader_params.get('twofactor', None) is not None:
  535. return downloader_params['twofactor']
  536. return None
  537. # Helper functions for extracting OpenGraph info
  538. @staticmethod
  539. def _og_regexes(prop):
  540. content_re = r'content=(?:"([^>]+?)"|\'([^>]+?)\')'
  541. property_re = r'(?:name|property)=[\'"]og:%s[\'"]' % re.escape(prop)
  542. template = r'<meta[^>]+?%s[^>]+?%s'
  543. return [
  544. template % (property_re, content_re),
  545. template % (content_re, property_re),
  546. ]
  547. def _og_search_property(self, prop, html, name=None, **kargs):
  548. if name is None:
  549. name = 'OpenGraph %s' % prop
  550. escaped = self._search_regex(self._og_regexes(prop), html, name, flags=re.DOTALL, **kargs)
  551. if escaped is None:
  552. return None
  553. return unescapeHTML(escaped)
  554. def _og_search_thumbnail(self, html, **kargs):
  555. return self._og_search_property('image', html, 'thumbnail url', fatal=False, **kargs)
  556. def _og_search_description(self, html, **kargs):
  557. return self._og_search_property('description', html, fatal=False, **kargs)
  558. def _og_search_title(self, html, **kargs):
  559. return self._og_search_property('title', html, **kargs)
  560. def _og_search_video_url(self, html, name='video url', secure=True, **kargs):
  561. regexes = self._og_regexes('video') + self._og_regexes('video:url')
  562. if secure:
  563. regexes = self._og_regexes('video:secure_url') + regexes
  564. return self._html_search_regex(regexes, html, name, **kargs)
  565. def _og_search_url(self, html, **kargs):
  566. return self._og_search_property('url', html, **kargs)
  567. def _html_search_meta(self, name, html, display_name=None, fatal=False, **kwargs):
  568. if display_name is None:
  569. display_name = name
  570. return self._html_search_regex(
  571. r'''(?isx)<meta
  572. (?=[^>]+(?:itemprop|name|property)=(["\']?)%s\1)
  573. [^>]+?content=(["\'])(?P<content>.*?)\2''' % re.escape(name),
  574. html, display_name, fatal=fatal, group='content', **kwargs)
  575. def _dc_search_uploader(self, html):
  576. return self._html_search_meta('dc.creator', html, 'uploader')
  577. def _rta_search(self, html):
  578. # See http://www.rtalabel.org/index.php?content=howtofaq#single
  579. if re.search(r'(?ix)<meta\s+name="rating"\s+'
  580. r' content="RTA-5042-1996-1400-1577-RTA"',
  581. html):
  582. return 18
  583. return 0
  584. def _media_rating_search(self, html):
  585. # See http://www.tjg-designs.com/WP/metadata-code-examples-adding-metadata-to-your-web-pages/
  586. rating = self._html_search_meta('rating', html)
  587. if not rating:
  588. return None
  589. RATING_TABLE = {
  590. 'safe for kids': 0,
  591. 'general': 8,
  592. '14 years': 14,
  593. 'mature': 17,
  594. 'restricted': 19,
  595. }
  596. return RATING_TABLE.get(rating.lower(), None)
  597. def _family_friendly_search(self, html):
  598. # See http://schema.org/VideoObject
  599. family_friendly = self._html_search_meta('isFamilyFriendly', html)
  600. if not family_friendly:
  601. return None
  602. RATING_TABLE = {
  603. '1': 0,
  604. 'true': 0,
  605. '0': 18,
  606. 'false': 18,
  607. }
  608. return RATING_TABLE.get(family_friendly.lower(), None)
  609. def _twitter_search_player(self, html):
  610. return self._html_search_meta('twitter:player', html,
  611. 'twitter card player')
  612. def _sort_formats(self, formats):
  613. if not formats:
  614. raise ExtractorError('No video formats found')
  615. def _formats_key(f):
  616. # TODO remove the following workaround
  617. from ..utils import determine_ext
  618. if not f.get('ext') and 'url' in f:
  619. f['ext'] = determine_ext(f['url'])
  620. preference = f.get('preference')
  621. if preference is None:
  622. proto = f.get('protocol')
  623. if proto is None:
  624. proto = compat_urllib_parse_urlparse(f.get('url', '')).scheme
  625. preference = 0 if proto in ['http', 'https'] else -0.1
  626. if f.get('ext') in ['f4f', 'f4m']: # Not yet supported
  627. preference -= 0.5
  628. if f.get('vcodec') == 'none': # audio only
  629. if self._downloader.params.get('prefer_free_formats'):
  630. ORDER = ['aac', 'mp3', 'm4a', 'webm', 'ogg', 'opus']
  631. else:
  632. ORDER = ['webm', 'opus', 'ogg', 'mp3', 'aac', 'm4a']
  633. ext_preference = 0
  634. try:
  635. audio_ext_preference = ORDER.index(f['ext'])
  636. except ValueError:
  637. audio_ext_preference = -1
  638. else:
  639. if self._downloader.params.get('prefer_free_formats'):
  640. ORDER = ['flv', 'mp4', 'webm']
  641. else:
  642. ORDER = ['webm', 'flv', 'mp4']
  643. try:
  644. ext_preference = ORDER.index(f['ext'])
  645. except ValueError:
  646. ext_preference = -1
  647. audio_ext_preference = 0
  648. return (
  649. preference,
  650. f.get('language_preference') if f.get('language_preference') is not None else -1,
  651. f.get('quality') if f.get('quality') is not None else -1,
  652. f.get('tbr') if f.get('tbr') is not None else -1,
  653. f.get('filesize') if f.get('filesize') is not None else -1,
  654. f.get('vbr') if f.get('vbr') is not None else -1,
  655. f.get('height') if f.get('height') is not None else -1,
  656. f.get('width') if f.get('width') is not None else -1,
  657. ext_preference,
  658. f.get('abr') if f.get('abr') is not None else -1,
  659. audio_ext_preference,
  660. f.get('fps') if f.get('fps') is not None else -1,
  661. f.get('filesize_approx') if f.get('filesize_approx') is not None else -1,
  662. f.get('source_preference') if f.get('source_preference') is not None else -1,
  663. f.get('format_id'),
  664. )
  665. formats.sort(key=_formats_key)
  666. def _check_formats(self, formats, video_id):
  667. if formats:
  668. formats[:] = filter(
  669. lambda f: self._is_valid_url(
  670. f['url'], video_id,
  671. item='%s video format' % f.get('format_id') if f.get('format_id') else 'video'),
  672. formats)
  673. def _is_valid_url(self, url, video_id, item='video'):
  674. url = self._proto_relative_url(url, scheme='http:')
  675. # For now assume non HTTP(S) URLs always valid
  676. if not (url.startswith('http://') or url.startswith('https://')):
  677. return True
  678. try:
  679. self._request_webpage(url, video_id, 'Checking %s URL' % item)
  680. return True
  681. except ExtractorError as e:
  682. if isinstance(e.cause, compat_HTTPError):
  683. self.report_warning(
  684. '%s URL is invalid, skipping' % item, video_id)
  685. return False
  686. raise
  687. def http_scheme(self):
  688. """ Either "http:" or "https:", depending on the user's preferences """
  689. return (
  690. 'http:'
  691. if self._downloader.params.get('prefer_insecure', False)
  692. else 'https:')
  693. def _proto_relative_url(self, url, scheme=None):
  694. if url is None:
  695. return url
  696. if url.startswith('//'):
  697. if scheme is None:
  698. scheme = self.http_scheme()
  699. return scheme + url
  700. else:
  701. return url
  702. def _sleep(self, timeout, video_id, msg_template=None):
  703. if msg_template is None:
  704. msg_template = '%(video_id)s: Waiting for %(timeout)s seconds'
  705. msg = msg_template % {'video_id': video_id, 'timeout': timeout}
  706. self.to_screen(msg)
  707. time.sleep(timeout)
  708. def _extract_f4m_formats(self, manifest_url, video_id, preference=None, f4m_id=None):
  709. manifest = self._download_xml(
  710. manifest_url, video_id, 'Downloading f4m manifest',
  711. 'Unable to download f4m manifest')
  712. formats = []
  713. manifest_version = '1.0'
  714. media_nodes = manifest.findall('{http://ns.adobe.com/f4m/1.0}media')
  715. if not media_nodes:
  716. manifest_version = '2.0'
  717. media_nodes = manifest.findall('{http://ns.adobe.com/f4m/2.0}media')
  718. for i, media_el in enumerate(media_nodes):
  719. if manifest_version == '2.0':
  720. manifest_url = ('/'.join(manifest_url.split('/')[:-1]) + '/' +
  721. (media_el.attrib.get('href') or media_el.attrib.get('url')))
  722. tbr = int_or_none(media_el.attrib.get('bitrate'))
  723. formats.append({
  724. 'format_id': '-'.join(filter(None, [f4m_id, 'f4m-%d' % (i if tbr is None else tbr)])),
  725. 'url': manifest_url,
  726. 'ext': 'flv',
  727. 'tbr': tbr,
  728. 'width': int_or_none(media_el.attrib.get('width')),
  729. 'height': int_or_none(media_el.attrib.get('height')),
  730. 'preference': preference,
  731. })
  732. self._sort_formats(formats)
  733. return formats
  734. def _extract_m3u8_formats(self, m3u8_url, video_id, ext=None,
  735. entry_protocol='m3u8', preference=None,
  736. m3u8_id=None):
  737. formats = [{
  738. 'format_id': '-'.join(filter(None, [m3u8_id, 'meta'])),
  739. 'url': m3u8_url,
  740. 'ext': ext,
  741. 'protocol': 'm3u8',
  742. 'preference': preference - 1 if preference else -1,
  743. 'resolution': 'multiple',
  744. 'format_note': 'Quality selection URL',
  745. }]
  746. format_url = lambda u: (
  747. u
  748. if re.match(r'^https?://', u)
  749. else compat_urlparse.urljoin(m3u8_url, u))
  750. m3u8_doc = self._download_webpage(
  751. m3u8_url, video_id,
  752. note='Downloading m3u8 information',
  753. errnote='Failed to download m3u8 information')
  754. last_info = None
  755. last_media = None
  756. kv_rex = re.compile(
  757. r'(?P<key>[a-zA-Z_-]+)=(?P<val>"[^"]+"|[^",]+)(?:,|$)')
  758. for line in m3u8_doc.splitlines():
  759. if line.startswith('#EXT-X-STREAM-INF:'):
  760. last_info = {}
  761. for m in kv_rex.finditer(line):
  762. v = m.group('val')
  763. if v.startswith('"'):
  764. v = v[1:-1]
  765. last_info[m.group('key')] = v
  766. elif line.startswith('#EXT-X-MEDIA:'):
  767. last_media = {}
  768. for m in kv_rex.finditer(line):
  769. v = m.group('val')
  770. if v.startswith('"'):
  771. v = v[1:-1]
  772. last_media[m.group('key')] = v
  773. elif line.startswith('#') or not line.strip():
  774. continue
  775. else:
  776. if last_info is None:
  777. formats.append({'url': format_url(line)})
  778. continue
  779. tbr = int_or_none(last_info.get('BANDWIDTH'), scale=1000)
  780. format_id = []
  781. if m3u8_id:
  782. format_id.append(m3u8_id)
  783. last_media_name = last_media.get('NAME') if last_media else None
  784. format_id.append(last_media_name if last_media_name else '%d' % (tbr if tbr else len(formats)))
  785. f = {
  786. 'format_id': '-'.join(format_id),
  787. 'url': format_url(line.strip()),
  788. 'tbr': tbr,
  789. 'ext': ext,
  790. 'protocol': entry_protocol,
  791. 'preference': preference,
  792. }
  793. codecs = last_info.get('CODECS')
  794. if codecs:
  795. # TODO: looks like video codec is not always necessarily goes first
  796. va_codecs = codecs.split(',')
  797. if va_codecs[0]:
  798. f['vcodec'] = va_codecs[0].partition('.')[0]
  799. if len(va_codecs) > 1 and va_codecs[1]:
  800. f['acodec'] = va_codecs[1].partition('.')[0]
  801. resolution = last_info.get('RESOLUTION')
  802. if resolution:
  803. width_str, height_str = resolution.split('x')
  804. f['width'] = int(width_str)
  805. f['height'] = int(height_str)
  806. if last_media is not None:
  807. f['m3u8_media'] = last_media
  808. last_media = None
  809. formats.append(f)
  810. last_info = {}
  811. self._sort_formats(formats)
  812. return formats
  813. # TODO: improve extraction
  814. def _extract_smil_formats(self, smil_url, video_id, fatal=True):
  815. smil = self._download_xml(
  816. smil_url, video_id, 'Downloading SMIL file',
  817. 'Unable to download SMIL file', fatal=fatal)
  818. if smil is False:
  819. assert not fatal
  820. return []
  821. base = smil.find('./head/meta').get('base')
  822. formats = []
  823. rtmp_count = 0
  824. if smil.findall('./body/seq/video'):
  825. video = smil.findall('./body/seq/video')[0]
  826. fmts, rtmp_count = self._parse_smil_video(video, video_id, base, rtmp_count)
  827. formats.extend(fmts)
  828. else:
  829. for video in smil.findall('./body/switch/video'):
  830. fmts, rtmp_count = self._parse_smil_video(video, video_id, base, rtmp_count)
  831. formats.extend(fmts)
  832. self._sort_formats(formats)
  833. return formats
  834. def _parse_smil_video(self, video, video_id, base, rtmp_count):
  835. src = video.get('src')
  836. if not src:
  837. return ([], rtmp_count)
  838. bitrate = int_or_none(video.get('system-bitrate') or video.get('systemBitrate'), 1000)
  839. width = int_or_none(video.get('width'))
  840. height = int_or_none(video.get('height'))
  841. proto = video.get('proto')
  842. if not proto:
  843. if base:
  844. if base.startswith('rtmp'):
  845. proto = 'rtmp'
  846. elif base.startswith('http'):
  847. proto = 'http'
  848. ext = video.get('ext')
  849. if proto == 'm3u8':
  850. return (self._extract_m3u8_formats(src, video_id, ext), rtmp_count)
  851. elif proto == 'rtmp':
  852. rtmp_count += 1
  853. streamer = video.get('streamer') or base
  854. return ([{
  855. 'url': streamer,
  856. 'play_path': src,
  857. 'ext': 'flv',
  858. 'format_id': 'rtmp-%d' % (rtmp_count if bitrate is None else bitrate),
  859. 'tbr': bitrate,
  860. 'width': width,
  861. 'height': height,
  862. }], rtmp_count)
  863. elif proto.startswith('http'):
  864. return ([{
  865. 'url': base + src,
  866. 'ext': ext or 'flv',
  867. 'tbr': bitrate,
  868. 'width': width,
  869. 'height': height,
  870. }], rtmp_count)
  871. def _live_title(self, name):
  872. """ Generate the title for a live video """
  873. now = datetime.datetime.now()
  874. now_str = now.strftime("%Y-%m-%d %H:%M")
  875. return name + ' ' + now_str
  876. def _int(self, v, name, fatal=False, **kwargs):
  877. res = int_or_none(v, **kwargs)
  878. if 'get_attr' in kwargs:
  879. print(getattr(v, kwargs['get_attr']))
  880. if res is None:
  881. msg = 'Failed to extract %s: Could not parse value %r' % (name, v)
  882. if fatal:
  883. raise ExtractorError(msg)
  884. else:
  885. self._downloader.report_warning(msg)
  886. return res
  887. def _float(self, v, name, fatal=False, **kwargs):
  888. res = float_or_none(v, **kwargs)
  889. if res is None:
  890. msg = 'Failed to extract %s: Could not parse value %r' % (name, v)
  891. if fatal:
  892. raise ExtractorError(msg)
  893. else:
  894. self._downloader.report_warning(msg)
  895. return res
  896. def _set_cookie(self, domain, name, value, expire_time=None):
  897. cookie = compat_cookiejar.Cookie(
  898. 0, name, value, None, None, domain, None,
  899. None, '/', True, False, expire_time, '', None, None, None)
  900. self._downloader.cookiejar.set_cookie(cookie)
  901. def get_testcases(self, include_onlymatching=False):
  902. t = getattr(self, '_TEST', None)
  903. if t:
  904. assert not hasattr(self, '_TESTS'), \
  905. '%s has _TEST and _TESTS' % type(self).__name__
  906. tests = [t]
  907. else:
  908. tests = getattr(self, '_TESTS', [])
  909. for t in tests:
  910. if not include_onlymatching and t.get('only_matching', False):
  911. continue
  912. t['name'] = type(self).__name__[:-len('IE')]
  913. yield t
  914. def is_suitable(self, age_limit):
  915. """ Test whether the extractor is generally suitable for the given
  916. age limit (i.e. pornographic sites are not, all others usually are) """
  917. any_restricted = False
  918. for tc in self.get_testcases(include_onlymatching=False):
  919. if 'playlist' in tc:
  920. tc = tc['playlist'][0]
  921. is_restricted = age_restricted(
  922. tc.get('info_dict', {}).get('age_limit'), age_limit)
  923. if not is_restricted:
  924. return True
  925. any_restricted = any_restricted or is_restricted
  926. return not any_restricted
  927. def extract_subtitles(self, *args, **kwargs):
  928. if (self._downloader.params.get('writesubtitles', False) or
  929. self._downloader.params.get('listsubtitles')):
  930. return self._get_subtitles(*args, **kwargs)
  931. return {}
  932. def _get_subtitles(self, *args, **kwargs):
  933. raise NotImplementedError("This method must be implemented by subclasses")
  934. def extract_automatic_captions(self, *args, **kwargs):
  935. if (self._downloader.params.get('writeautomaticsub', False) or
  936. self._downloader.params.get('listsubtitles')):
  937. return self._get_automatic_captions(*args, **kwargs)
  938. return {}
  939. def _get_automatic_captions(self, *args, **kwargs):
  940. raise NotImplementedError("This method must be implemented by subclasses")
  941. def _subtitles_timecode(self, seconds):
  942. return '%02d:%02d:%02d.%03d' % (seconds / 3600, (seconds % 3600) / 60, seconds % 60, (seconds % 1) * 1000)
  943. class SearchInfoExtractor(InfoExtractor):
  944. """
  945. Base class for paged search queries extractors.
  946. They accept urls in the format _SEARCH_KEY(|all|[0-9]):{query}
  947. Instances should define _SEARCH_KEY and _MAX_RESULTS.
  948. """
  949. @classmethod
  950. def _make_valid_url(cls):
  951. return r'%s(?P<prefix>|[1-9][0-9]*|all):(?P<query>[\s\S]+)' % cls._SEARCH_KEY
  952. @classmethod
  953. def suitable(cls, url):
  954. return re.match(cls._make_valid_url(), url) is not None
  955. def _real_extract(self, query):
  956. mobj = re.match(self._make_valid_url(), query)
  957. if mobj is None:
  958. raise ExtractorError('Invalid search query "%s"' % query)
  959. prefix = mobj.group('prefix')
  960. query = mobj.group('query')
  961. if prefix == '':
  962. return self._get_n_results(query, 1)
  963. elif prefix == 'all':
  964. return self._get_n_results(query, self._MAX_RESULTS)
  965. else:
  966. n = int(prefix)
  967. if n <= 0:
  968. raise ExtractorError('invalid download number %s for query "%s"' % (n, query))
  969. elif n > self._MAX_RESULTS:
  970. self._downloader.report_warning('%s returns max %i results (you requested %i)' % (self._SEARCH_KEY, self._MAX_RESULTS, n))
  971. n = self._MAX_RESULTS
  972. return self._get_n_results(query, n)
  973. def _get_n_results(self, query, n):
  974. """Get a specified number of results for a query"""
  975. raise NotImplementedError("This method must be implemented by subclasses")
  976. @property
  977. def SEARCH_KEY(self):
  978. return self._SEARCH_KEY