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.

587 lines
24 KiB

11 years ago
11 years ago
  1. import base64
  2. import hashlib
  3. import json
  4. import os
  5. import re
  6. import socket
  7. import sys
  8. import netrc
  9. import xml.etree.ElementTree
  10. from ..utils import (
  11. compat_http_client,
  12. compat_urllib_error,
  13. compat_urllib_parse_urlparse,
  14. compat_str,
  15. clean_html,
  16. compiled_regex_type,
  17. ExtractorError,
  18. RegexNotFoundError,
  19. sanitize_filename,
  20. unescapeHTML,
  21. )
  22. _NO_DEFAULT = object()
  23. class InfoExtractor(object):
  24. """Information Extractor class.
  25. Information extractors are the classes that, given a URL, extract
  26. information about the video (or videos) the URL refers to. This
  27. information includes the real video URL, the video title, author and
  28. others. The information is stored in a dictionary which is then
  29. passed to the FileDownloader. The FileDownloader processes this
  30. information possibly downloading the video to the file system, among
  31. other possible outcomes.
  32. The dictionaries must include the following fields:
  33. id: Video identifier.
  34. title: Video title, unescaped.
  35. Additionally, it must contain either a formats entry or a url one:
  36. formats: A list of dictionaries for each format available, ordered
  37. from worst to best quality.
  38. Potential fields:
  39. * url Mandatory. The URL of the video file
  40. * ext Will be calculated from url if missing
  41. * format A human-readable description of the format
  42. ("mp4 container with h264/opus").
  43. Calculated from the format_id, width, height.
  44. and format_note fields if missing.
  45. * format_id A short description of the format
  46. ("mp4_h264_opus" or "19").
  47. Technically optional, but strongly recommended.
  48. * format_note Additional info about the format
  49. ("3D" or "DASH video")
  50. * width Width of the video, if known
  51. * height Height of the video, if known
  52. * resolution Textual description of width and height
  53. * tbr Average bitrate of audio and video in KBit/s
  54. * abr Average audio bitrate in KBit/s
  55. * acodec Name of the audio codec in use
  56. * asr Audio sampling rate in Hertz
  57. * vbr Average video bitrate in KBit/s
  58. * vcodec Name of the video codec in use
  59. * container Name of the container format
  60. * filesize The number of bytes, if known in advance
  61. * player_url SWF Player URL (used for rtmpdump).
  62. * protocol The protocol that will be used for the actual
  63. download, lower-case.
  64. "http", "https", "rtsp", "rtmp", "m3u8" or so.
  65. * preference Order number of this format. If this field is
  66. present and not None, the formats get sorted
  67. by this field, regardless of all other values.
  68. -1 for default (order by other properties),
  69. -2 or smaller for less than default.
  70. * quality Order number of the video quality of this
  71. format, irrespective of the file format.
  72. -1 for default (order by other properties),
  73. -2 or smaller for less than default.
  74. url: Final video URL.
  75. ext: Video filename extension.
  76. format: The video format, defaults to ext (used for --get-format)
  77. player_url: SWF Player URL (used for rtmpdump).
  78. The following fields are optional:
  79. display_id An alternative identifier for the video, not necessarily
  80. unique, but available before title. Typically, id is
  81. something like "4234987", title "Dancing naked mole rats",
  82. and display_id "dancing-naked-mole-rats"
  83. thumbnails: A list of dictionaries (with the entries "resolution" and
  84. "url") for the varying thumbnails
  85. thumbnail: Full URL to a video thumbnail image.
  86. description: One-line video description.
  87. uploader: Full name of the video uploader.
  88. timestamp: UNIX timestamp of the moment the video became available.
  89. upload_date: Video upload date (YYYYMMDD).
  90. If not explicitly set, calculated from timestamp.
  91. uploader_id: Nickname or id of the video uploader.
  92. location: Physical location of the video.
  93. subtitles: The subtitle file contents as a dictionary in the format
  94. {language: subtitles}.
  95. duration: Length of the video in seconds, as an integer.
  96. view_count: How many users have watched the video on the platform.
  97. like_count: Number of positive ratings of the video
  98. dislike_count: Number of negative ratings of the video
  99. comment_count: Number of comments on the video
  100. age_limit: Age restriction for the video, as an integer (years)
  101. webpage_url: The url to the video webpage, if given to youtube-dl it
  102. should allow to get the same result again. (It will be set
  103. by YoutubeDL if it's missing)
  104. Unless mentioned otherwise, the fields should be Unicode strings.
  105. Subclasses of this one should re-define the _real_initialize() and
  106. _real_extract() methods and define a _VALID_URL regexp.
  107. Probably, they should also be added to the list of extractors.
  108. Finally, the _WORKING attribute should be set to False for broken IEs
  109. in order to warn the users and skip the tests.
  110. """
  111. _ready = False
  112. _downloader = None
  113. _WORKING = True
  114. def __init__(self, downloader=None):
  115. """Constructor. Receives an optional downloader."""
  116. self._ready = False
  117. self.set_downloader(downloader)
  118. @classmethod
  119. def suitable(cls, url):
  120. """Receives a URL and returns True if suitable for this IE."""
  121. # This does not use has/getattr intentionally - we want to know whether
  122. # we have cached the regexp for *this* class, whereas getattr would also
  123. # match the superclass
  124. if '_VALID_URL_RE' not in cls.__dict__:
  125. cls._VALID_URL_RE = re.compile(cls._VALID_URL)
  126. return cls._VALID_URL_RE.match(url) is not None
  127. @classmethod
  128. def working(cls):
  129. """Getter method for _WORKING."""
  130. return cls._WORKING
  131. def initialize(self):
  132. """Initializes an instance (authentication, etc)."""
  133. if not self._ready:
  134. self._real_initialize()
  135. self._ready = True
  136. def extract(self, url):
  137. """Extracts URL information and returns it in list of dicts."""
  138. self.initialize()
  139. return self._real_extract(url)
  140. def set_downloader(self, downloader):
  141. """Sets the downloader for this IE."""
  142. self._downloader = downloader
  143. def _real_initialize(self):
  144. """Real initialization process. Redefine in subclasses."""
  145. pass
  146. def _real_extract(self, url):
  147. """Real extraction process. Redefine in subclasses."""
  148. pass
  149. @classmethod
  150. def ie_key(cls):
  151. """A string for getting the InfoExtractor with get_info_extractor"""
  152. return cls.__name__[:-2]
  153. @property
  154. def IE_NAME(self):
  155. return type(self).__name__[:-2]
  156. def _request_webpage(self, url_or_request, video_id, note=None, errnote=None, fatal=True):
  157. """ Returns the response handle """
  158. if note is None:
  159. self.report_download_webpage(video_id)
  160. elif note is not False:
  161. if video_id is None:
  162. self.to_screen(u'%s' % (note,))
  163. else:
  164. self.to_screen(u'%s: %s' % (video_id, note))
  165. try:
  166. return self._downloader.urlopen(url_or_request)
  167. except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
  168. if errnote is False:
  169. return False
  170. if errnote is None:
  171. errnote = u'Unable to download webpage'
  172. errmsg = u'%s: %s' % (errnote, compat_str(err))
  173. if fatal:
  174. raise ExtractorError(errmsg, sys.exc_info()[2], cause=err)
  175. else:
  176. self._downloader.report_warning(errmsg)
  177. return False
  178. def _download_webpage_handle(self, url_or_request, video_id, note=None, errnote=None, fatal=True):
  179. """ Returns a tuple (page content as string, URL handle) """
  180. # Strip hashes from the URL (#1038)
  181. if isinstance(url_or_request, (compat_str, str)):
  182. url_or_request = url_or_request.partition('#')[0]
  183. urlh = self._request_webpage(url_or_request, video_id, note, errnote, fatal)
  184. if urlh is False:
  185. assert not fatal
  186. return False
  187. content_type = urlh.headers.get('Content-Type', '')
  188. webpage_bytes = urlh.read()
  189. m = re.match(r'[a-zA-Z0-9_.-]+/[a-zA-Z0-9_.-]+\s*;\s*charset=(.+)', content_type)
  190. if m:
  191. encoding = m.group(1)
  192. else:
  193. m = re.search(br'<meta[^>]+charset=[\'"]?([^\'")]+)[ /\'">]',
  194. webpage_bytes[:1024])
  195. if m:
  196. encoding = m.group(1).decode('ascii')
  197. elif webpage_bytes.startswith(b'\xff\xfe'):
  198. encoding = 'utf-16'
  199. else:
  200. encoding = 'utf-8'
  201. if self._downloader.params.get('dump_intermediate_pages', False):
  202. try:
  203. url = url_or_request.get_full_url()
  204. except AttributeError:
  205. url = url_or_request
  206. self.to_screen(u'Dumping request to ' + url)
  207. dump = base64.b64encode(webpage_bytes).decode('ascii')
  208. self._downloader.to_screen(dump)
  209. if self._downloader.params.get('write_pages', False):
  210. try:
  211. url = url_or_request.get_full_url()
  212. except AttributeError:
  213. url = url_or_request
  214. if len(url) > 200:
  215. h = u'___' + hashlib.md5(url.encode('utf-8')).hexdigest()
  216. url = url[:200 - len(h)] + h
  217. raw_filename = ('%s_%s.dump' % (video_id, url))
  218. filename = sanitize_filename(raw_filename, restricted=True)
  219. self.to_screen(u'Saving request to ' + filename)
  220. with open(filename, 'wb') as outf:
  221. outf.write(webpage_bytes)
  222. content = webpage_bytes.decode(encoding, 'replace')
  223. if (u'<title>Access to this site is blocked</title>' in content and
  224. u'Websense' in content[:512]):
  225. msg = u'Access to this webpage has been blocked by Websense filtering software in your network.'
  226. blocked_iframe = self._html_search_regex(
  227. r'<iframe src="([^"]+)"', content,
  228. u'Websense information URL', default=None)
  229. if blocked_iframe:
  230. msg += u' Visit %s for more details' % blocked_iframe
  231. raise ExtractorError(msg, expected=True)
  232. return (content, urlh)
  233. def _download_webpage(self, url_or_request, video_id, note=None, errnote=None, fatal=True):
  234. """ Returns the data of the page as a string """
  235. res = self._download_webpage_handle(url_or_request, video_id, note, errnote, fatal)
  236. if res is False:
  237. return res
  238. else:
  239. content, _ = res
  240. return content
  241. def _download_xml(self, url_or_request, video_id,
  242. note=u'Downloading XML', errnote=u'Unable to download XML',
  243. transform_source=None):
  244. """Return the xml as an xml.etree.ElementTree.Element"""
  245. xml_string = self._download_webpage(url_or_request, video_id, note, errnote)
  246. if transform_source:
  247. xml_string = transform_source(xml_string)
  248. return xml.etree.ElementTree.fromstring(xml_string.encode('utf-8'))
  249. def _download_json(self, url_or_request, video_id,
  250. note=u'Downloading JSON metadata',
  251. errnote=u'Unable to download JSON metadata',
  252. transform_source=None):
  253. json_string = self._download_webpage(url_or_request, video_id, note, errnote)
  254. if transform_source:
  255. json_string = transform_source(json_string)
  256. try:
  257. return json.loads(json_string)
  258. except ValueError as ve:
  259. raise ExtractorError('Failed to download JSON', cause=ve)
  260. def report_warning(self, msg, video_id=None):
  261. idstr = u'' if video_id is None else u'%s: ' % video_id
  262. self._downloader.report_warning(
  263. u'[%s] %s%s' % (self.IE_NAME, idstr, msg))
  264. def to_screen(self, msg):
  265. """Print msg to screen, prefixing it with '[ie_name]'"""
  266. self._downloader.to_screen(u'[%s] %s' % (self.IE_NAME, msg))
  267. def report_extraction(self, id_or_name):
  268. """Report information extraction."""
  269. self.to_screen(u'%s: Extracting information' % id_or_name)
  270. def report_download_webpage(self, video_id):
  271. """Report webpage download."""
  272. self.to_screen(u'%s: Downloading webpage' % video_id)
  273. def report_age_confirmation(self):
  274. """Report attempt to confirm age."""
  275. self.to_screen(u'Confirming age')
  276. def report_login(self):
  277. """Report attempt to log in."""
  278. self.to_screen(u'Logging in')
  279. #Methods for following #608
  280. @staticmethod
  281. def url_result(url, ie=None, video_id=None):
  282. """Returns a url that points to a page that should be processed"""
  283. #TODO: ie should be the class used for getting the info
  284. video_info = {'_type': 'url',
  285. 'url': url,
  286. 'ie_key': ie}
  287. if video_id is not None:
  288. video_info['id'] = video_id
  289. return video_info
  290. @staticmethod
  291. def playlist_result(entries, playlist_id=None, playlist_title=None):
  292. """Returns a playlist"""
  293. video_info = {'_type': 'playlist',
  294. 'entries': entries}
  295. if playlist_id:
  296. video_info['id'] = playlist_id
  297. if playlist_title:
  298. video_info['title'] = playlist_title
  299. return video_info
  300. def _search_regex(self, pattern, string, name, default=_NO_DEFAULT, fatal=True, flags=0):
  301. """
  302. Perform a regex search on the given string, using a single or a list of
  303. patterns returning the first matching group.
  304. In case of failure return a default value or raise a WARNING or a
  305. RegexNotFoundError, depending on fatal, specifying the field name.
  306. """
  307. if isinstance(pattern, (str, compat_str, compiled_regex_type)):
  308. mobj = re.search(pattern, string, flags)
  309. else:
  310. for p in pattern:
  311. mobj = re.search(p, string, flags)
  312. if mobj: break
  313. if os.name != 'nt' and sys.stderr.isatty():
  314. _name = u'\033[0;34m%s\033[0m' % name
  315. else:
  316. _name = name
  317. if mobj:
  318. # return the first matching group
  319. return next(g for g in mobj.groups() if g is not None)
  320. elif default is not _NO_DEFAULT:
  321. return default
  322. elif fatal:
  323. raise RegexNotFoundError(u'Unable to extract %s' % _name)
  324. else:
  325. self._downloader.report_warning(u'unable to extract %s; '
  326. u'please report this issue on http://yt-dl.org/bug' % _name)
  327. return None
  328. def _html_search_regex(self, pattern, string, name, default=_NO_DEFAULT, fatal=True, flags=0):
  329. """
  330. Like _search_regex, but strips HTML tags and unescapes entities.
  331. """
  332. res = self._search_regex(pattern, string, name, default, fatal, flags)
  333. if res:
  334. return clean_html(res).strip()
  335. else:
  336. return res
  337. def _get_login_info(self):
  338. """
  339. Get the the login info as (username, password)
  340. It will look in the netrc file using the _NETRC_MACHINE value
  341. If there's no info available, return (None, None)
  342. """
  343. if self._downloader is None:
  344. return (None, None)
  345. username = None
  346. password = None
  347. downloader_params = self._downloader.params
  348. # Attempt to use provided username and password or .netrc data
  349. if downloader_params.get('username', None) is not None:
  350. username = downloader_params['username']
  351. password = downloader_params['password']
  352. elif downloader_params.get('usenetrc', False):
  353. try:
  354. info = netrc.netrc().authenticators(self._NETRC_MACHINE)
  355. if info is not None:
  356. username = info[0]
  357. password = info[2]
  358. else:
  359. raise netrc.NetrcParseError('No authenticators for %s' % self._NETRC_MACHINE)
  360. except (IOError, netrc.NetrcParseError) as err:
  361. self._downloader.report_warning(u'parsing .netrc: %s' % compat_str(err))
  362. return (username, password)
  363. # Helper functions for extracting OpenGraph info
  364. @staticmethod
  365. def _og_regexes(prop):
  366. content_re = r'content=(?:"([^>]+?)"|\'([^>]+?)\')'
  367. property_re = r'(?:name|property)=[\'"]og:%s[\'"]' % re.escape(prop)
  368. template = r'<meta[^>]+?%s[^>]+?%s'
  369. return [
  370. template % (property_re, content_re),
  371. template % (content_re, property_re),
  372. ]
  373. def _og_search_property(self, prop, html, name=None, **kargs):
  374. if name is None:
  375. name = 'OpenGraph %s' % prop
  376. escaped = self._search_regex(self._og_regexes(prop), html, name, flags=re.DOTALL, **kargs)
  377. if escaped is None:
  378. return None
  379. return unescapeHTML(escaped)
  380. def _og_search_thumbnail(self, html, **kargs):
  381. return self._og_search_property('image', html, u'thumbnail url', fatal=False, **kargs)
  382. def _og_search_description(self, html, **kargs):
  383. return self._og_search_property('description', html, fatal=False, **kargs)
  384. def _og_search_title(self, html, **kargs):
  385. return self._og_search_property('title', html, **kargs)
  386. def _og_search_video_url(self, html, name='video url', secure=True, **kargs):
  387. regexes = self._og_regexes('video')
  388. if secure: regexes = self._og_regexes('video:secure_url') + regexes
  389. return self._html_search_regex(regexes, html, name, **kargs)
  390. def _html_search_meta(self, name, html, display_name=None, fatal=False):
  391. if display_name is None:
  392. display_name = name
  393. return self._html_search_regex(
  394. r'''(?ix)<meta
  395. (?=[^>]+(?:itemprop|name|property)=["\']%s["\'])
  396. [^>]+content=["\']([^"\']+)["\']''' % re.escape(name),
  397. html, display_name, fatal=fatal)
  398. def _dc_search_uploader(self, html):
  399. return self._html_search_meta('dc.creator', html, 'uploader')
  400. def _rta_search(self, html):
  401. # See http://www.rtalabel.org/index.php?content=howtofaq#single
  402. if re.search(r'(?ix)<meta\s+name="rating"\s+'
  403. r' content="RTA-5042-1996-1400-1577-RTA"',
  404. html):
  405. return 18
  406. return 0
  407. def _media_rating_search(self, html):
  408. # See http://www.tjg-designs.com/WP/metadata-code-examples-adding-metadata-to-your-web-pages/
  409. rating = self._html_search_meta('rating', html)
  410. if not rating:
  411. return None
  412. RATING_TABLE = {
  413. 'safe for kids': 0,
  414. 'general': 8,
  415. '14 years': 14,
  416. 'mature': 17,
  417. 'restricted': 19,
  418. }
  419. return RATING_TABLE.get(rating.lower(), None)
  420. def _twitter_search_player(self, html):
  421. return self._html_search_meta('twitter:player', html,
  422. 'twitter card player')
  423. def _sort_formats(self, formats):
  424. if not formats:
  425. raise ExtractorError(u'No video formats found')
  426. def _formats_key(f):
  427. # TODO remove the following workaround
  428. from ..utils import determine_ext
  429. if not f.get('ext') and 'url' in f:
  430. f['ext'] = determine_ext(f['url'])
  431. preference = f.get('preference')
  432. if preference is None:
  433. proto = f.get('protocol')
  434. if proto is None:
  435. proto = compat_urllib_parse_urlparse(f.get('url', '')).scheme
  436. preference = 0 if proto in ['http', 'https'] else -0.1
  437. if f.get('ext') in ['f4f', 'f4m']: # Not yet supported
  438. preference -= 0.5
  439. if f.get('vcodec') == 'none': # audio only
  440. if self._downloader.params.get('prefer_free_formats'):
  441. ORDER = [u'aac', u'mp3', u'm4a', u'webm', u'ogg', u'opus']
  442. else:
  443. ORDER = [u'webm', u'opus', u'ogg', u'mp3', u'aac', u'm4a']
  444. ext_preference = 0
  445. try:
  446. audio_ext_preference = ORDER.index(f['ext'])
  447. except ValueError:
  448. audio_ext_preference = -1
  449. else:
  450. if self._downloader.params.get('prefer_free_formats'):
  451. ORDER = [u'flv', u'mp4', u'webm']
  452. else:
  453. ORDER = [u'webm', u'flv', u'mp4']
  454. try:
  455. ext_preference = ORDER.index(f['ext'])
  456. except ValueError:
  457. ext_preference = -1
  458. audio_ext_preference = 0
  459. return (
  460. preference,
  461. f.get('quality') if f.get('quality') is not None else -1,
  462. f.get('height') if f.get('height') is not None else -1,
  463. f.get('width') if f.get('width') is not None else -1,
  464. ext_preference,
  465. f.get('tbr') if f.get('tbr') is not None else -1,
  466. f.get('vbr') if f.get('vbr') is not None else -1,
  467. f.get('abr') if f.get('abr') is not None else -1,
  468. audio_ext_preference,
  469. f.get('filesize') if f.get('filesize') is not None else -1,
  470. f.get('format_id'),
  471. )
  472. formats.sort(key=_formats_key)
  473. class SearchInfoExtractor(InfoExtractor):
  474. """
  475. Base class for paged search queries extractors.
  476. They accept urls in the format _SEARCH_KEY(|all|[0-9]):{query}
  477. Instances should define _SEARCH_KEY and _MAX_RESULTS.
  478. """
  479. @classmethod
  480. def _make_valid_url(cls):
  481. return r'%s(?P<prefix>|[1-9][0-9]*|all):(?P<query>[\s\S]+)' % cls._SEARCH_KEY
  482. @classmethod
  483. def suitable(cls, url):
  484. return re.match(cls._make_valid_url(), url) is not None
  485. def _real_extract(self, query):
  486. mobj = re.match(self._make_valid_url(), query)
  487. if mobj is None:
  488. raise ExtractorError(u'Invalid search query "%s"' % query)
  489. prefix = mobj.group('prefix')
  490. query = mobj.group('query')
  491. if prefix == '':
  492. return self._get_n_results(query, 1)
  493. elif prefix == 'all':
  494. return self._get_n_results(query, self._MAX_RESULTS)
  495. else:
  496. n = int(prefix)
  497. if n <= 0:
  498. raise ExtractorError(u'invalid download number %s for query "%s"' % (n, query))
  499. elif n > self._MAX_RESULTS:
  500. self._downloader.report_warning(u'%s returns max %i results (you requested %i)' % (self._SEARCH_KEY, self._MAX_RESULTS, n))
  501. n = self._MAX_RESULTS
  502. return self._get_n_results(query, n)
  503. def _get_n_results(self, query, n):
  504. """Get a specified number of results for a query"""
  505. raise NotImplementedError("This method must be implemented by subclasses")
  506. @property
  507. def SEARCH_KEY(self):
  508. return self._SEARCH_KEY