youtube.py 50 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798991001011021031041051061071081091101111121131141151161171181191201211221231241251261271281291301311321331341351361371381391401411421431441451461471481491501511521531541551561571581591601611621631641651661671681691701711721731741751761771781791801811821831841851861871881891901911921931941951961971981992002012022032042052062072082092102112122132142152162172182192202212222232242252262272282292302312322332342352362372382392402412422432442452462472482492502512522532542552562572582592602612622632642652662672682692702712722732742752762772782792802812822832842852862872882892902912922932942952962972982993003013023033043053063073083093103113123133143153163173183193203213223233243253263273283293303313323333343353363373383393403413423433443453463473483493503513523533543553563573583593603613623633643653663673683693703713723733743753763773783793803813823833843853863873883893903913923933943953963973983994004014024034044054064074084094104114124134144154164174184194204214224234244254264274284294304314324334344354364374384394404414424434444454464474484494504514524534544554564574584594604614624634644654664674684694704714724734744754764774784794804814824834844854864874884894904914924934944954964974984995005015025035045055065075085095105115125135145155165175185195205215225235245255265275285295305315325335345355365375385395405415425435445455465475485495505515525535545555565575585595605615625635645655665675685695705715725735745755765775785795805815825835845855865875885895905915925935945955965975985996006016026036046056066076086096106116126136146156166176186196206216226236246256266276286296306316326336346356366376386396406416426436446456466476486496506516526536546556566576586596606616626636646656666676686696706716726736746756766776786796806816826836846856866876886896906916926936946956966976986997007017027037047057067077087097107117127137147157167177187197207217227237247257267277287297307317327337347357367377387397407417427437447457467477487497507517527537547557567577587597607617627637647657667677687697707717727737747757767777787797807817827837847857867877887897907917927937947957967977987998008018028038048058068078088098108118128138148158168178188198208218228238248258268278288298308318328338348358368378388398408418428438448458468478488498508518528538548558568578588598608618628638648658668678688698708718728738748758768778788798808818828838848858868878888898908918928938948958968978988999009019029039049059069079089099109119129139149159169179189199209219229239249259269279289299309319329339349359369379389399409419429439449459469479489499509519529539549559569579589599609619629639649659669679689699709719729739749759769779789799809819829839849859869879889899909919929939949959969979989991000100110021003100410051006100710081009101010111012101310141015101610171018101910201021102210231024102510261027102810291030103110321033103410351036103710381039104010411042104310441045104610471048104910501051105210531054105510561057105810591060106110621063106410651066106710681069107010711072107310741075107610771078107910801081108210831084108510861087108810891090109110921093109410951096109710981099110011011102110311041105110611071108110911101111111211131114111511161117111811191120112111221123112411251126112711281129113011311132113311341135113611371138113911401141114211431144114511461147114811491150115111521153115411551156115711581159116011611162
  1. # coding: utf-8
  2. import json
  3. import netrc
  4. import re
  5. import socket
  6. import itertools
  7. import xml.etree.ElementTree
  8. from .common import InfoExtractor, SearchInfoExtractor
  9. from .subtitles import SubtitlesInfoExtractor
  10. from ..utils import (
  11. compat_http_client,
  12. compat_parse_qs,
  13. compat_urllib_error,
  14. compat_urllib_parse,
  15. compat_urllib_request,
  16. compat_str,
  17. clean_html,
  18. get_element_by_id,
  19. ExtractorError,
  20. unescapeHTML,
  21. unified_strdate,
  22. orderedSet,
  23. )
  24. class YoutubeBaseInfoExtractor(InfoExtractor):
  25. """Provide base functions for Youtube extractors"""
  26. _LOGIN_URL = 'https://accounts.google.com/ServiceLogin'
  27. _LANG_URL = r'https://www.youtube.com/?hl=en&persist_hl=1&gl=US&persist_gl=1&opt_out_ackd=1'
  28. _AGE_URL = 'http://www.youtube.com/verify_age?next_url=/&gl=US&hl=en'
  29. _NETRC_MACHINE = 'youtube'
  30. # If True it will raise an error if no login info is provided
  31. _LOGIN_REQUIRED = False
  32. def report_lang(self):
  33. """Report attempt to set language."""
  34. self.to_screen(u'Setting language')
  35. def _set_language(self):
  36. request = compat_urllib_request.Request(self._LANG_URL)
  37. try:
  38. self.report_lang()
  39. compat_urllib_request.urlopen(request).read()
  40. except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
  41. self._downloader.report_warning(u'unable to set language: %s' % compat_str(err))
  42. return False
  43. return True
  44. def _login(self):
  45. (username, password) = self._get_login_info()
  46. # No authentication to be performed
  47. if username is None:
  48. if self._LOGIN_REQUIRED:
  49. raise ExtractorError(u'No login info available, needed for using %s.' % self.IE_NAME, expected=True)
  50. return False
  51. request = compat_urllib_request.Request(self._LOGIN_URL)
  52. try:
  53. login_page = compat_urllib_request.urlopen(request).read().decode('utf-8')
  54. except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
  55. self._downloader.report_warning(u'unable to fetch login page: %s' % compat_str(err))
  56. return False
  57. galx = None
  58. dsh = None
  59. match = re.search(re.compile(r'<input.+?name="GALX".+?value="(.+?)"', re.DOTALL), login_page)
  60. if match:
  61. galx = match.group(1)
  62. match = re.search(re.compile(r'<input.+?name="dsh".+?value="(.+?)"', re.DOTALL), login_page)
  63. if match:
  64. dsh = match.group(1)
  65. # Log in
  66. login_form_strs = {
  67. u'continue': u'https://www.youtube.com/signin?action_handle_signin=true&feature=sign_in_button&hl=en_US&nomobiletemp=1',
  68. u'Email': username,
  69. u'GALX': galx,
  70. u'Passwd': password,
  71. u'PersistentCookie': u'yes',
  72. u'_utf8': u'霱',
  73. u'bgresponse': u'js_disabled',
  74. u'checkConnection': u'',
  75. u'checkedDomains': u'youtube',
  76. u'dnConn': u'',
  77. u'dsh': dsh,
  78. u'pstMsg': u'0',
  79. u'rmShown': u'1',
  80. u'secTok': u'',
  81. u'signIn': u'Sign in',
  82. u'timeStmp': u'',
  83. u'service': u'youtube',
  84. u'uilel': u'3',
  85. u'hl': u'en_US',
  86. }
  87. # Convert to UTF-8 *before* urlencode because Python 2.x's urlencode
  88. # chokes on unicode
  89. login_form = dict((k.encode('utf-8'), v.encode('utf-8')) for k,v in login_form_strs.items())
  90. login_data = compat_urllib_parse.urlencode(login_form).encode('ascii')
  91. request = compat_urllib_request.Request(self._LOGIN_URL, login_data)
  92. try:
  93. self.report_login()
  94. login_results = compat_urllib_request.urlopen(request).read().decode('utf-8')
  95. if re.search(r'(?i)<form[^>]* id="gaia_loginform"', login_results) is not None:
  96. self._downloader.report_warning(u'unable to log in: bad username or password')
  97. return False
  98. except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
  99. self._downloader.report_warning(u'unable to log in: %s' % compat_str(err))
  100. return False
  101. return True
  102. def _confirm_age(self):
  103. age_form = {
  104. 'next_url': '/',
  105. 'action_confirm': 'Confirm',
  106. }
  107. request = compat_urllib_request.Request(self._AGE_URL, compat_urllib_parse.urlencode(age_form))
  108. try:
  109. self.report_age_confirmation()
  110. compat_urllib_request.urlopen(request).read().decode('utf-8')
  111. except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
  112. raise ExtractorError(u'Unable to confirm age: %s' % compat_str(err))
  113. return True
  114. def _real_initialize(self):
  115. if self._downloader is None:
  116. return
  117. if not self._set_language():
  118. return
  119. if not self._login():
  120. return
  121. self._confirm_age()
  122. class YoutubeIE(YoutubeBaseInfoExtractor, SubtitlesInfoExtractor):
  123. IE_DESC = u'YouTube.com'
  124. _VALID_URL = r"""^
  125. (
  126. (?:https?://)? # http(s):// (optional)
  127. (?:(?:(?:(?:\w+\.)?youtube(?:-nocookie)?\.com/|
  128. tube\.majestyc\.net/|
  129. youtube\.googleapis\.com/) # the various hostnames, with wildcard subdomains
  130. (?:.*?\#/)? # handle anchor (#/) redirect urls
  131. (?: # the various things that can precede the ID:
  132. (?:(?:v|embed|e)/) # v/ or embed/ or e/
  133. |(?: # or the v= param in all its forms
  134. (?:(?:watch|movie)(?:_popup)?(?:\.php)?)? # preceding watch(_popup|.php) or nothing (like /?v=xxxx)
  135. (?:\?|\#!?) # the params delimiter ? or # or #!
  136. (?:.*?&)? # any other preceding param (like /?s=tuff&v=xxxx)
  137. v=
  138. )
  139. ))
  140. |youtu\.be/ # just youtu.be/xxxx
  141. )
  142. )? # all until now is optional -> you can pass the naked ID
  143. ([0-9A-Za-z_-]{11}) # here is it! the YouTube video ID
  144. (?(1).+)? # if we found the ID, everything can follow
  145. $"""
  146. _NEXT_URL_RE = r'[\?&]next_url=([^&]+)'
  147. # Listed in order of quality
  148. _available_formats = ['38', '37', '46', '22', '45', '35', '44', '34', '18', '43', '6', '5', '36', '17', '13',
  149. # Apple HTTP Live Streaming
  150. '96', '95', '94', '93', '92', '132', '151',
  151. # 3D
  152. '85', '84', '102', '83', '101', '82', '100',
  153. # Dash video
  154. '138', '137', '248', '136', '247', '135', '246',
  155. '245', '244', '134', '243', '133', '242', '160',
  156. # Dash audio
  157. '141', '172', '140', '171', '139',
  158. ]
  159. _available_formats_prefer_free = ['38', '46', '37', '45', '22', '44', '35', '43', '34', '18', '6', '5', '36', '17', '13',
  160. # Apple HTTP Live Streaming
  161. '96', '95', '94', '93', '92', '132', '151',
  162. # 3D
  163. '85', '102', '84', '101', '83', '100', '82',
  164. # Dash video
  165. '138', '248', '137', '247', '136', '246', '245',
  166. '244', '135', '243', '134', '242', '133', '160',
  167. # Dash audio
  168. '172', '141', '171', '140', '139',
  169. ]
  170. _video_formats_map = {
  171. 'flv': ['35', '34', '6', '5'],
  172. '3gp': ['36', '17', '13'],
  173. 'mp4': ['38', '37', '22', '18'],
  174. 'webm': ['46', '45', '44', '43'],
  175. }
  176. _video_extensions = {
  177. '13': '3gp',
  178. '17': '3gp',
  179. '18': 'mp4',
  180. '22': 'mp4',
  181. '36': '3gp',
  182. '37': 'mp4',
  183. '38': 'mp4',
  184. '43': 'webm',
  185. '44': 'webm',
  186. '45': 'webm',
  187. '46': 'webm',
  188. # 3d videos
  189. '82': 'mp4',
  190. '83': 'mp4',
  191. '84': 'mp4',
  192. '85': 'mp4',
  193. '100': 'webm',
  194. '101': 'webm',
  195. '102': 'webm',
  196. # Apple HTTP Live Streaming
  197. '92': 'mp4',
  198. '93': 'mp4',
  199. '94': 'mp4',
  200. '95': 'mp4',
  201. '96': 'mp4',
  202. '132': 'mp4',
  203. '151': 'mp4',
  204. # Dash mp4
  205. '133': 'mp4',
  206. '134': 'mp4',
  207. '135': 'mp4',
  208. '136': 'mp4',
  209. '137': 'mp4',
  210. '138': 'mp4',
  211. '139': 'mp4',
  212. '140': 'mp4',
  213. '141': 'mp4',
  214. '160': 'mp4',
  215. # Dash webm
  216. '171': 'webm',
  217. '172': 'webm',
  218. '242': 'webm',
  219. '243': 'webm',
  220. '244': 'webm',
  221. '245': 'webm',
  222. '246': 'webm',
  223. '247': 'webm',
  224. '248': 'webm',
  225. }
  226. _video_dimensions = {
  227. '5': '240x400',
  228. '6': '???',
  229. '13': '???',
  230. '17': '144x176',
  231. '18': '360x640',
  232. '22': '720x1280',
  233. '34': '360x640',
  234. '35': '480x854',
  235. '36': '240x320',
  236. '37': '1080x1920',
  237. '38': '3072x4096',
  238. '43': '360x640',
  239. '44': '480x854',
  240. '45': '720x1280',
  241. '46': '1080x1920',
  242. '82': '360p',
  243. '83': '480p',
  244. '84': '720p',
  245. '85': '1080p',
  246. '92': '240p',
  247. '93': '360p',
  248. '94': '480p',
  249. '95': '720p',
  250. '96': '1080p',
  251. '100': '360p',
  252. '101': '480p',
  253. '102': '720p',
  254. '132': '240p',
  255. '151': '72p',
  256. '133': '240p',
  257. '134': '360p',
  258. '135': '480p',
  259. '136': '720p',
  260. '137': '1080p',
  261. '138': '>1080p',
  262. '139': '48k',
  263. '140': '128k',
  264. '141': '256k',
  265. '160': '192p',
  266. '171': '128k',
  267. '172': '256k',
  268. '242': '240p',
  269. '243': '360p',
  270. '244': '480p',
  271. '245': '480p',
  272. '246': '480p',
  273. '247': '720p',
  274. '248': '1080p',
  275. }
  276. _special_itags = {
  277. '82': '3D',
  278. '83': '3D',
  279. '84': '3D',
  280. '85': '3D',
  281. '100': '3D',
  282. '101': '3D',
  283. '102': '3D',
  284. '133': 'DASH Video',
  285. '134': 'DASH Video',
  286. '135': 'DASH Video',
  287. '136': 'DASH Video',
  288. '137': 'DASH Video',
  289. '138': 'DASH Video',
  290. '139': 'DASH Audio',
  291. '140': 'DASH Audio',
  292. '141': 'DASH Audio',
  293. '160': 'DASH Video',
  294. '171': 'DASH Audio',
  295. '172': 'DASH Audio',
  296. '242': 'DASH Video',
  297. '243': 'DASH Video',
  298. '244': 'DASH Video',
  299. '245': 'DASH Video',
  300. '246': 'DASH Video',
  301. '247': 'DASH Video',
  302. '248': 'DASH Video',
  303. }
  304. IE_NAME = u'youtube'
  305. _TESTS = [
  306. {
  307. u"url": u"http://www.youtube.com/watch?v=BaW_jenozKc",
  308. u"file": u"BaW_jenozKc.mp4",
  309. u"info_dict": {
  310. u"title": u"youtube-dl test video \"'/\\ä↭𝕐",
  311. u"uploader": u"Philipp Hagemeister",
  312. u"uploader_id": u"phihag",
  313. u"upload_date": u"20121002",
  314. u"description": u"test chars: \"'/\\ä↭𝕐\n\nThis is a test video for youtube-dl.\n\nFor more information, contact phihag@phihag.de ."
  315. }
  316. },
  317. {
  318. u"url": u"http://www.youtube.com/watch?v=1ltcDfZMA3U",
  319. u"file": u"1ltcDfZMA3U.flv",
  320. u"note": u"Test VEVO video (#897)",
  321. u"info_dict": {
  322. u"upload_date": u"20070518",
  323. u"title": u"Maps - It Will Find You",
  324. u"description": u"Music video by Maps performing It Will Find You.",
  325. u"uploader": u"MuteUSA",
  326. u"uploader_id": u"MuteUSA"
  327. }
  328. },
  329. {
  330. u"url": u"http://www.youtube.com/watch?v=UxxajLWwzqY",
  331. u"file": u"UxxajLWwzqY.mp4",
  332. u"note": u"Test generic use_cipher_signature video (#897)",
  333. u"info_dict": {
  334. u"upload_date": u"20120506",
  335. u"title": u"Icona Pop - I Love It (feat. Charli XCX) [OFFICIAL VIDEO]",
  336. u"description": u"md5:3e2666e0a55044490499ea45fe9037b7",
  337. u"uploader": u"Icona Pop",
  338. u"uploader_id": u"IconaPop"
  339. }
  340. },
  341. {
  342. u"url": u"https://www.youtube.com/watch?v=07FYdnEawAQ",
  343. u"file": u"07FYdnEawAQ.mp4",
  344. u"note": u"Test VEVO video with age protection (#956)",
  345. u"info_dict": {
  346. u"upload_date": u"20130703",
  347. u"title": u"Justin Timberlake - Tunnel Vision (Explicit)",
  348. u"description": u"md5:64249768eec3bc4276236606ea996373",
  349. u"uploader": u"justintimberlakeVEVO",
  350. u"uploader_id": u"justintimberlakeVEVO"
  351. }
  352. },
  353. {
  354. u'url': u'https://www.youtube.com/watch?v=TGi3HqYrWHE',
  355. u'file': u'TGi3HqYrWHE.mp4',
  356. u'note': u'm3u8 video',
  357. u'info_dict': {
  358. u'title': u'Triathlon - Men - London 2012 Olympic Games',
  359. u'description': u'- Men - TR02 - Triathlon - 07 August 2012 - London 2012 Olympic Games',
  360. u'uploader': u'olympic',
  361. u'upload_date': u'20120807',
  362. u'uploader_id': u'olympic',
  363. },
  364. u'params': {
  365. u'skip_download': True,
  366. },
  367. },
  368. ]
  369. @classmethod
  370. def suitable(cls, url):
  371. """Receives a URL and returns True if suitable for this IE."""
  372. if YoutubePlaylistIE.suitable(url): return False
  373. return re.match(cls._VALID_URL, url, re.VERBOSE) is not None
  374. def report_video_webpage_download(self, video_id):
  375. """Report attempt to download video webpage."""
  376. self.to_screen(u'%s: Downloading video webpage' % video_id)
  377. def report_video_info_webpage_download(self, video_id):
  378. """Report attempt to download video info webpage."""
  379. self.to_screen(u'%s: Downloading video info webpage' % video_id)
  380. def report_information_extraction(self, video_id):
  381. """Report attempt to extract video information."""
  382. self.to_screen(u'%s: Extracting video information' % video_id)
  383. def report_unavailable_format(self, video_id, format):
  384. """Report extracted video URL."""
  385. self.to_screen(u'%s: Format %s not available' % (video_id, format))
  386. def report_rtmp_download(self):
  387. """Indicate the download will use the RTMP protocol."""
  388. self.to_screen(u'RTMP download detected')
  389. def _decrypt_signature(self, s):
  390. """Turn the encrypted s field into a working signature"""
  391. if len(s) == 93:
  392. return s[86:29:-1] + s[88] + s[28:5:-1]
  393. elif len(s) == 92:
  394. return s[25] + s[3:25] + s[0] + s[26:42] + s[79] + s[43:79] + s[91] + s[80:83]
  395. elif len(s) == 90:
  396. return s[25] + s[3:25] + s[2] + s[26:40] + s[77] + s[41:77] + s[89] + s[78:81]
  397. elif len(s) == 89:
  398. return s[84:78:-1] + s[87] + s[77:60:-1] + s[0] + s[59:3:-1]
  399. elif len(s) == 88:
  400. return s[7:28] + s[87] + s[29:45] + s[55] + s[46:55] + s[2] + s[56:87] + s[28]
  401. elif len(s) == 87:
  402. return s[6:27] + s[4] + s[28:39] + s[27] + s[40:59] + s[2] + s[60:]
  403. elif len(s) == 86:
  404. return s[5:34] + s[0] + s[35:38] + s[3] + s[39:45] + s[38] + s[46:53] + s[73] + s[54:73] + s[85] + s[74:85] + s[53]
  405. elif len(s) == 85:
  406. return s[3:11] + s[0] + s[12:55] + s[84] + s[56:84]
  407. elif len(s) == 84:
  408. return s[81:36:-1] + s[0] + s[35:2:-1]
  409. elif len(s) == 83:
  410. return s[81:64:-1] + s[82] + s[63:52:-1] + s[45] + s[51:45:-1] + s[1] + s[44:1:-1] + s[0]
  411. elif len(s) == 82:
  412. return s[80:73:-1] + s[81] + s[72:54:-1] + s[2] + s[53:43:-1] + s[0] + s[42:2:-1] + s[43] + s[1] + s[54]
  413. elif len(s) == 81:
  414. return s[56] + s[79:56:-1] + s[41] + s[55:41:-1] + s[80] + s[40:34:-1] + s[0] + s[33:29:-1] + s[34] + s[28:9:-1] + s[29] + s[8:0:-1] + s[9]
  415. elif len(s) == 80:
  416. return s[1:19] + s[0] + s[20:68] + s[19] + s[69:80]
  417. elif len(s) == 79:
  418. return s[54] + s[77:54:-1] + s[39] + s[53:39:-1] + s[78] + s[38:34:-1] + s[0] + s[33:29:-1] + s[34] + s[28:9:-1] + s[29] + s[8:0:-1] + s[9]
  419. else:
  420. raise ExtractorError(u'Unable to decrypt signature, key length %d not supported; retrying might work' % (len(s)))
  421. def _decrypt_signature_age_gate(self, s):
  422. # The videos with age protection use another player, so the algorithms
  423. # can be different.
  424. if len(s) == 86:
  425. return s[2:63] + s[82] + s[64:82] + s[63]
  426. else:
  427. # Fallback to the other algortihms
  428. return self._decrypt_signature(s)
  429. def _get_available_subtitles(self, video_id):
  430. try:
  431. sub_list = self._download_webpage(
  432. 'http://video.google.com/timedtext?hl=en&type=list&v=%s' % video_id,
  433. video_id, note=False)
  434. except ExtractorError as err:
  435. self._downloader.report_warning(u'unable to download video subtitles: %s' % compat_str(err))
  436. return {}
  437. lang_list = re.findall(r'name="([^"]*)"[^>]+lang_code="([\w\-]+)"', sub_list)
  438. sub_lang_list = {}
  439. for l in lang_list:
  440. lang = l[1]
  441. params = compat_urllib_parse.urlencode({
  442. 'lang': lang,
  443. 'v': video_id,
  444. 'fmt': self._downloader.params.get('subtitlesformat'),
  445. })
  446. url = u'http://www.youtube.com/api/timedtext?' + params
  447. sub_lang_list[lang] = url
  448. if not sub_lang_list:
  449. self._downloader.report_warning(u'video doesn\'t have subtitles')
  450. return {}
  451. return sub_lang_list
  452. def _get_available_automatic_caption(self, video_id, webpage):
  453. """We need the webpage for getting the captions url, pass it as an
  454. argument to speed up the process."""
  455. sub_format = self._downloader.params.get('subtitlesformat')
  456. self.to_screen(u'%s: Looking for automatic captions' % video_id)
  457. mobj = re.search(r';ytplayer.config = ({.*?});', webpage)
  458. err_msg = u'Couldn\'t find automatic captions for %s' % video_id
  459. if mobj is None:
  460. self._downloader.report_warning(err_msg)
  461. return {}
  462. player_config = json.loads(mobj.group(1))
  463. try:
  464. args = player_config[u'args']
  465. caption_url = args[u'ttsurl']
  466. timestamp = args[u'timestamp']
  467. # We get the available subtitles
  468. list_params = compat_urllib_parse.urlencode({
  469. 'type': 'list',
  470. 'tlangs': 1,
  471. 'asrs': 1,
  472. })
  473. list_url = caption_url + '&' + list_params
  474. list_page = self._download_webpage(list_url, video_id)
  475. caption_list = xml.etree.ElementTree.fromstring(list_page.encode('utf-8'))
  476. original_lang_node = caption_list.find('track')
  477. if original_lang_node.attrib.get('kind') != 'asr' :
  478. self._downloader.report_warning(u'Video doesn\'t have automatic captions')
  479. return {}
  480. original_lang = original_lang_node.attrib['lang_code']
  481. sub_lang_list = {}
  482. for lang_node in caption_list.findall('target'):
  483. sub_lang = lang_node.attrib['lang_code']
  484. params = compat_urllib_parse.urlencode({
  485. 'lang': original_lang,
  486. 'tlang': sub_lang,
  487. 'fmt': sub_format,
  488. 'ts': timestamp,
  489. 'kind': 'asr',
  490. })
  491. sub_lang_list[sub_lang] = caption_url + '&' + params
  492. return sub_lang_list
  493. # An extractor error can be raise by the download process if there are
  494. # no automatic captions but there are subtitles
  495. except (KeyError, ExtractorError):
  496. self._downloader.report_warning(err_msg)
  497. return {}
  498. def _print_formats(self, formats):
  499. print('Available formats:')
  500. for x in formats:
  501. print('%s\t:\t%s\t[%s]%s' %(x, self._video_extensions.get(x, 'flv'),
  502. self._video_dimensions.get(x, '???'),
  503. ' ('+self._special_itags[x]+')' if x in self._special_itags else ''))
  504. def _extract_id(self, url):
  505. mobj = re.match(self._VALID_URL, url, re.VERBOSE)
  506. if mobj is None:
  507. raise ExtractorError(u'Invalid URL: %s' % url)
  508. video_id = mobj.group(2)
  509. return video_id
  510. def _get_video_url_list(self, url_map):
  511. """
  512. Transform a dictionary in the format {itag:url} to a list of (itag, url)
  513. with the requested formats.
  514. """
  515. req_format = self._downloader.params.get('format', None)
  516. format_limit = self._downloader.params.get('format_limit', None)
  517. available_formats = self._available_formats_prefer_free if self._downloader.params.get('prefer_free_formats', False) else self._available_formats
  518. if format_limit is not None and format_limit in available_formats:
  519. format_list = available_formats[available_formats.index(format_limit):]
  520. else:
  521. format_list = available_formats
  522. existing_formats = [x for x in format_list if x in url_map]
  523. if len(existing_formats) == 0:
  524. raise ExtractorError(u'no known formats available for video')
  525. if self._downloader.params.get('listformats', None):
  526. self._print_formats(existing_formats)
  527. return
  528. if req_format is None or req_format == 'best':
  529. video_url_list = [(existing_formats[0], url_map[existing_formats[0]])] # Best quality
  530. elif req_format == 'worst':
  531. video_url_list = [(existing_formats[-1], url_map[existing_formats[-1]])] # worst quality
  532. elif req_format in ('-1', 'all'):
  533. video_url_list = [(f, url_map[f]) for f in existing_formats] # All formats
  534. else:
  535. # Specific formats. We pick the first in a slash-delimeted sequence.
  536. # Format can be specified as itag or 'mp4' or 'flv' etc. We pick the highest quality
  537. # available in the specified format. For example,
  538. # if '1/2/3/4' is requested and '2' and '4' are available, we pick '2'.
  539. # if '1/mp4/3/4' is requested and '1' and '5' (is a mp4) are available, we pick '1'.
  540. # if '1/mp4/3/4' is requested and '4' and '5' (is a mp4) are available, we pick '5'.
  541. req_formats = req_format.split('/')
  542. video_url_list = None
  543. for rf in req_formats:
  544. if rf in url_map:
  545. video_url_list = [(rf, url_map[rf])]
  546. break
  547. if rf in self._video_formats_map:
  548. for srf in self._video_formats_map[rf]:
  549. if srf in url_map:
  550. video_url_list = [(srf, url_map[srf])]
  551. break
  552. else:
  553. continue
  554. break
  555. if video_url_list is None:
  556. raise ExtractorError(u'requested format not available')
  557. return video_url_list
  558. def _extract_from_m3u8(self, manifest_url, video_id):
  559. url_map = {}
  560. def _get_urls(_manifest):
  561. lines = _manifest.split('\n')
  562. urls = filter(lambda l: l and not l.startswith('#'),
  563. lines)
  564. return urls
  565. manifest = self._download_webpage(manifest_url, video_id, u'Downloading formats manifest')
  566. formats_urls = _get_urls(manifest)
  567. for format_url in formats_urls:
  568. itag = self._search_regex(r'itag/(\d+?)/', format_url, 'itag')
  569. url_map[itag] = format_url
  570. return url_map
  571. def _real_extract(self, url):
  572. if re.match(r'(?:https?://)?[^/]+/watch\?feature=[a-z_]+$', url):
  573. self._downloader.report_warning(u'Did you forget to quote the URL? Remember that & is a meta-character in most shells, so you want to put the URL in quotes, like youtube-dl \'http://www.youtube.com/watch?feature=foo&v=BaW_jenozKc\' (or simply youtube-dl BaW_jenozKc ).')
  574. # Extract original video URL from URL with redirection, like age verification, using next_url parameter
  575. mobj = re.search(self._NEXT_URL_RE, url)
  576. if mobj:
  577. url = 'https://www.youtube.com/' + compat_urllib_parse.unquote(mobj.group(1)).lstrip('/')
  578. video_id = self._extract_id(url)
  579. # Get video webpage
  580. self.report_video_webpage_download(video_id)
  581. url = 'https://www.youtube.com/watch?v=%s&gl=US&hl=en&has_verified=1' % video_id
  582. request = compat_urllib_request.Request(url)
  583. try:
  584. video_webpage_bytes = compat_urllib_request.urlopen(request).read()
  585. except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
  586. raise ExtractorError(u'Unable to download video webpage: %s' % compat_str(err))
  587. video_webpage = video_webpage_bytes.decode('utf-8', 'ignore')
  588. # Attempt to extract SWF player URL
  589. mobj = re.search(r'swfConfig.*?"(http:\\/\\/.*?watch.*?-.*?\.swf)"', video_webpage)
  590. if mobj is not None:
  591. player_url = re.sub(r'\\(.)', r'\1', mobj.group(1))
  592. else:
  593. player_url = None
  594. # Get video info
  595. self.report_video_info_webpage_download(video_id)
  596. if re.search(r'player-age-gate-content">', video_webpage) is not None:
  597. self.report_age_confirmation()
  598. age_gate = True
  599. # We simulate the access to the video from www.youtube.com/v/{video_id}
  600. # this can be viewed without login into Youtube
  601. data = compat_urllib_parse.urlencode({'video_id': video_id,
  602. 'el': 'embedded',
  603. 'gl': 'US',
  604. 'hl': 'en',
  605. 'eurl': 'https://youtube.googleapis.com/v/' + video_id,
  606. 'asv': 3,
  607. 'sts':'1588',
  608. })
  609. video_info_url = 'https://www.youtube.com/get_video_info?' + data
  610. video_info_webpage = self._download_webpage(video_info_url, video_id,
  611. note=False,
  612. errnote='unable to download video info webpage')
  613. video_info = compat_parse_qs(video_info_webpage)
  614. else:
  615. age_gate = False
  616. for el_type in ['&el=embedded', '&el=detailpage', '&el=vevo', '']:
  617. video_info_url = ('https://www.youtube.com/get_video_info?&video_id=%s%s&ps=default&eurl=&gl=US&hl=en'
  618. % (video_id, el_type))
  619. video_info_webpage = self._download_webpage(video_info_url, video_id,
  620. note=False,
  621. errnote='unable to download video info webpage')
  622. video_info = compat_parse_qs(video_info_webpage)
  623. if 'token' in video_info:
  624. break
  625. if 'token' not in video_info:
  626. if 'reason' in video_info:
  627. raise ExtractorError(u'YouTube said: %s' % video_info['reason'][0], expected=True)
  628. else:
  629. raise ExtractorError(u'"token" parameter not in video info for unknown reason')
  630. # Check for "rental" videos
  631. if 'ypc_video_rental_bar_text' in video_info and 'author' not in video_info:
  632. raise ExtractorError(u'"rental" videos not supported')
  633. # Start extracting information
  634. self.report_information_extraction(video_id)
  635. # uploader
  636. if 'author' not in video_info:
  637. raise ExtractorError(u'Unable to extract uploader name')
  638. video_uploader = compat_urllib_parse.unquote_plus(video_info['author'][0])
  639. # uploader_id
  640. video_uploader_id = None
  641. mobj = re.search(r'<link itemprop="url" href="http://www.youtube.com/(?:user|channel)/([^"]+)">', video_webpage)
  642. if mobj is not None:
  643. video_uploader_id = mobj.group(1)
  644. else:
  645. self._downloader.report_warning(u'unable to extract uploader nickname')
  646. # title
  647. if 'title' not in video_info:
  648. raise ExtractorError(u'Unable to extract video title')
  649. video_title = compat_urllib_parse.unquote_plus(video_info['title'][0])
  650. # thumbnail image
  651. # We try first to get a high quality image:
  652. m_thumb = re.search(r'<span itemprop="thumbnail".*?href="(.*?)">',
  653. video_webpage, re.DOTALL)
  654. if m_thumb is not None:
  655. video_thumbnail = m_thumb.group(1)
  656. elif 'thumbnail_url' not in video_info:
  657. self._downloader.report_warning(u'unable to extract video thumbnail')
  658. video_thumbnail = ''
  659. else: # don't panic if we can't find it
  660. video_thumbnail = compat_urllib_parse.unquote_plus(video_info['thumbnail_url'][0])
  661. # upload date
  662. upload_date = None
  663. mobj = re.search(r'id="eow-date.*?>(.*?)</span>', video_webpage, re.DOTALL)
  664. if mobj is not None:
  665. upload_date = ' '.join(re.sub(r'[/,-]', r' ', mobj.group(1)).split())
  666. upload_date = unified_strdate(upload_date)
  667. # description
  668. video_description = get_element_by_id("eow-description", video_webpage)
  669. if video_description:
  670. video_description = clean_html(video_description)
  671. else:
  672. fd_mobj = re.search(r'<meta name="description" content="([^"]+)"', video_webpage)
  673. if fd_mobj:
  674. video_description = unescapeHTML(fd_mobj.group(1))
  675. else:
  676. video_description = u''
  677. # subtitles
  678. video_subtitles = self.extract_subtitles(video_id, video_webpage)
  679. if self._downloader.params.get('listsubtitles', False):
  680. self._list_available_subtitles(video_id, video_webpage)
  681. return
  682. if 'length_seconds' not in video_info:
  683. self._downloader.report_warning(u'unable to extract video duration')
  684. video_duration = ''
  685. else:
  686. video_duration = compat_urllib_parse.unquote_plus(video_info['length_seconds'][0])
  687. # Decide which formats to download
  688. try:
  689. mobj = re.search(r';ytplayer.config = ({.*?});', video_webpage)
  690. if not mobj:
  691. raise ValueError('Could not find vevo ID')
  692. info = json.loads(mobj.group(1))
  693. args = info['args']
  694. # Easy way to know if the 's' value is in url_encoded_fmt_stream_map
  695. # this signatures are encrypted
  696. m_s = re.search(r'[&,]s=', args['url_encoded_fmt_stream_map'])
  697. if m_s is not None:
  698. self.to_screen(u'%s: Encrypted signatures detected.' % video_id)
  699. video_info['url_encoded_fmt_stream_map'] = [args['url_encoded_fmt_stream_map']]
  700. m_s = re.search(r'[&,]s=', args.get('adaptive_fmts', u''))
  701. if m_s is not None:
  702. if 'url_encoded_fmt_stream_map' in video_info:
  703. video_info['url_encoded_fmt_stream_map'][0] += ',' + args['adaptive_fmts']
  704. else:
  705. video_info['url_encoded_fmt_stream_map'] = [args['adaptive_fmts']]
  706. elif 'adaptive_fmts' in video_info:
  707. if 'url_encoded_fmt_stream_map' in video_info:
  708. video_info['url_encoded_fmt_stream_map'][0] += ',' + video_info['adaptive_fmts'][0]
  709. else:
  710. video_info['url_encoded_fmt_stream_map'] = video_info['adaptive_fmts']
  711. except ValueError:
  712. pass
  713. if 'conn' in video_info and video_info['conn'][0].startswith('rtmp'):
  714. self.report_rtmp_download()
  715. video_url_list = [(None, video_info['conn'][0])]
  716. elif 'url_encoded_fmt_stream_map' in video_info and len(video_info['url_encoded_fmt_stream_map']) >= 1:
  717. if 'rtmpe%3Dyes' in video_info['url_encoded_fmt_stream_map'][0]:
  718. raise ExtractorError('rtmpe downloads are not supported, see https://github.com/rg3/youtube-dl/issues/343 for more information.', expected=True)
  719. url_map = {}
  720. for url_data_str in video_info['url_encoded_fmt_stream_map'][0].split(','):
  721. url_data = compat_parse_qs(url_data_str)
  722. if 'itag' in url_data and 'url' in url_data:
  723. url = url_data['url'][0]
  724. if 'sig' in url_data:
  725. url += '&signature=' + url_data['sig'][0]
  726. elif 's' in url_data:
  727. if self._downloader.params.get('verbose'):
  728. s = url_data['s'][0]
  729. if age_gate:
  730. player = 'flash player'
  731. else:
  732. player = u'html5 player %s' % self._search_regex(r'html5player-(.+?)\.js', video_webpage,
  733. 'html5 player', fatal=False)
  734. parts_sizes = u'.'.join(compat_str(len(part)) for part in s.split('.'))
  735. self.to_screen(u'encrypted signature length %d (%s), itag %s, %s' %
  736. (len(s), parts_sizes, url_data['itag'][0], player))
  737. encrypted_sig = url_data['s'][0]
  738. if age_gate:
  739. signature = self._decrypt_signature_age_gate(encrypted_sig)
  740. else:
  741. signature = self._decrypt_signature(encrypted_sig)
  742. url += '&signature=' + signature
  743. if 'ratebypass' not in url:
  744. url += '&ratebypass=yes'
  745. url_map[url_data['itag'][0]] = url
  746. video_url_list = self._get_video_url_list(url_map)
  747. if not video_url_list:
  748. return
  749. elif video_info.get('hlsvp'):
  750. manifest_url = video_info['hlsvp'][0]
  751. url_map = self._extract_from_m3u8(manifest_url, video_id)
  752. video_url_list = self._get_video_url_list(url_map)
  753. if not video_url_list:
  754. return
  755. else:
  756. raise ExtractorError(u'no conn or url_encoded_fmt_stream_map information found in video info')
  757. results = []
  758. for format_param, video_real_url in video_url_list:
  759. # Extension
  760. video_extension = self._video_extensions.get(format_param, 'flv')
  761. video_format = '{0} - {1}{2}'.format(format_param if format_param else video_extension,
  762. self._video_dimensions.get(format_param, '???'),
  763. ' ('+self._special_itags[format_param]+')' if format_param in self._special_itags else '')
  764. results.append({
  765. 'id': video_id,
  766. 'url': video_real_url,
  767. 'uploader': video_uploader,
  768. 'uploader_id': video_uploader_id,
  769. 'upload_date': upload_date,
  770. 'title': video_title,
  771. 'ext': video_extension,
  772. 'format': video_format,
  773. 'thumbnail': video_thumbnail,
  774. 'description': video_description,
  775. 'player_url': player_url,
  776. 'subtitles': video_subtitles,
  777. 'duration': video_duration
  778. })
  779. return results
  780. class YoutubePlaylistIE(InfoExtractor):
  781. IE_DESC = u'YouTube.com playlists'
  782. _VALID_URL = r"""(?:
  783. (?:https?://)?
  784. (?:\w+\.)?
  785. youtube\.com/
  786. (?:
  787. (?:course|view_play_list|my_playlists|artist|playlist|watch)
  788. \? (?:.*?&)*? (?:p|a|list)=
  789. | p/
  790. )
  791. ((?:PL|EC|UU|FL)?[0-9A-Za-z-_]{10,})
  792. .*
  793. |
  794. ((?:PL|EC|UU|FL)[0-9A-Za-z-_]{10,})
  795. )"""
  796. _TEMPLATE_URL = 'https://gdata.youtube.com/feeds/api/playlists/%s?max-results=%i&start-index=%i&v=2&alt=json&safeSearch=none'
  797. _MAX_RESULTS = 50
  798. IE_NAME = u'youtube:playlist'
  799. @classmethod
  800. def suitable(cls, url):
  801. """Receives a URL and returns True if suitable for this IE."""
  802. return re.match(cls._VALID_URL, url, re.VERBOSE) is not None
  803. def _real_extract(self, url):
  804. # Extract playlist id
  805. mobj = re.match(self._VALID_URL, url, re.VERBOSE)
  806. if mobj is None:
  807. raise ExtractorError(u'Invalid URL: %s' % url)
  808. # Download playlist videos from API
  809. playlist_id = mobj.group(1) or mobj.group(2)
  810. videos = []
  811. for page_num in itertools.count(1):
  812. start_index = self._MAX_RESULTS * (page_num - 1) + 1
  813. if start_index >= 1000:
  814. self._downloader.report_warning(u'Max number of results reached')
  815. break
  816. url = self._TEMPLATE_URL % (playlist_id, self._MAX_RESULTS, start_index)
  817. page = self._download_webpage(url, playlist_id, u'Downloading page #%s' % page_num)
  818. try:
  819. response = json.loads(page)
  820. except ValueError as err:
  821. raise ExtractorError(u'Invalid JSON in API response: ' + compat_str(err))
  822. if 'feed' not in response:
  823. raise ExtractorError(u'Got a malformed response from YouTube API')
  824. playlist_title = response['feed']['title']['$t']
  825. if 'entry' not in response['feed']:
  826. # Number of videos is a multiple of self._MAX_RESULTS
  827. break
  828. for entry in response['feed']['entry']:
  829. index = entry['yt$position']['$t']
  830. if 'media$group' in entry and 'yt$videoid' in entry['media$group']:
  831. videos.append((
  832. index,
  833. 'https://www.youtube.com/watch?v=' + entry['media$group']['yt$videoid']['$t']
  834. ))
  835. videos = [v[1] for v in sorted(videos)]
  836. url_results = [self.url_result(vurl, 'Youtube') for vurl in videos]
  837. return [self.playlist_result(url_results, playlist_id, playlist_title)]
  838. class YoutubeChannelIE(InfoExtractor):
  839. IE_DESC = u'YouTube.com channels'
  840. _VALID_URL = r"^(?:https?://)?(?:youtu\.be|(?:\w+\.)?youtube(?:-nocookie)?\.com)/channel/([0-9A-Za-z_-]+)"
  841. _TEMPLATE_URL = 'http://www.youtube.com/channel/%s/videos?sort=da&flow=list&view=0&page=%s&gl=US&hl=en'
  842. _MORE_PAGES_INDICATOR = 'yt-uix-load-more'
  843. _MORE_PAGES_URL = 'http://www.youtube.com/c4_browse_ajax?action_load_more_videos=1&flow=list&paging=%s&view=0&sort=da&channel_id=%s'
  844. IE_NAME = u'youtube:channel'
  845. def extract_videos_from_page(self, page):
  846. ids_in_page = []
  847. for mobj in re.finditer(r'href="/watch\?v=([0-9A-Za-z_-]+)&?', page):
  848. if mobj.group(1) not in ids_in_page:
  849. ids_in_page.append(mobj.group(1))
  850. return ids_in_page
  851. def _real_extract(self, url):
  852. # Extract channel id
  853. mobj = re.match(self._VALID_URL, url)
  854. if mobj is None:
  855. raise ExtractorError(u'Invalid URL: %s' % url)
  856. # Download channel page
  857. channel_id = mobj.group(1)
  858. video_ids = []
  859. pagenum = 1
  860. url = self._TEMPLATE_URL % (channel_id, pagenum)
  861. page = self._download_webpage(url, channel_id,
  862. u'Downloading page #%s' % pagenum)
  863. # Extract video identifiers
  864. ids_in_page = self.extract_videos_from_page(page)
  865. video_ids.extend(ids_in_page)
  866. # Download any subsequent channel pages using the json-based channel_ajax query
  867. if self._MORE_PAGES_INDICATOR in page:
  868. for pagenum in itertools.count(1):
  869. url = self._MORE_PAGES_URL % (pagenum, channel_id)
  870. page = self._download_webpage(url, channel_id,
  871. u'Downloading page #%s' % pagenum)
  872. page = json.loads(page)
  873. ids_in_page = self.extract_videos_from_page(page['content_html'])
  874. video_ids.extend(ids_in_page)
  875. if self._MORE_PAGES_INDICATOR not in page['load_more_widget_html']:
  876. break
  877. self._downloader.to_screen(u'[youtube] Channel %s: Found %i videos' % (channel_id, len(video_ids)))
  878. urls = ['http://www.youtube.com/watch?v=%s' % id for id in video_ids]
  879. url_entries = [self.url_result(eurl, 'Youtube') for eurl in urls]
  880. return [self.playlist_result(url_entries, channel_id)]
  881. class YoutubeUserIE(InfoExtractor):
  882. IE_DESC = u'YouTube.com user videos (URL or "ytuser" keyword)'
  883. _VALID_URL = r'(?:(?:(?:https?://)?(?:\w+\.)?youtube\.com/(?:user/)?)|ytuser:)(?!feed/)([A-Za-z0-9_-]+)'
  884. _TEMPLATE_URL = 'http://gdata.youtube.com/feeds/api/users/%s'
  885. _GDATA_PAGE_SIZE = 50
  886. _GDATA_URL = 'http://gdata.youtube.com/feeds/api/users/%s/uploads?max-results=%d&start-index=%d&alt=json'
  887. IE_NAME = u'youtube:user'
  888. @classmethod
  889. def suitable(cls, url):
  890. # Don't return True if the url can be extracted with other youtube
  891. # extractor, the regex would is too permissive and it would match.
  892. other_ies = iter(klass for (name, klass) in globals().items() if name.endswith('IE') and klass is not cls)
  893. if any(ie.suitable(url) for ie in other_ies): return False
  894. else: return super(YoutubeUserIE, cls).suitable(url)
  895. def _real_extract(self, url):
  896. # Extract username
  897. mobj = re.match(self._VALID_URL, url)
  898. if mobj is None:
  899. raise ExtractorError(u'Invalid URL: %s' % url)
  900. username = mobj.group(1)
  901. # Download video ids using YouTube Data API. Result size per
  902. # query is limited (currently to 50 videos) so we need to query
  903. # page by page until there are no video ids - it means we got
  904. # all of them.
  905. video_ids = []
  906. for pagenum in itertools.count(0):
  907. start_index = pagenum * self._GDATA_PAGE_SIZE + 1
  908. gdata_url = self._GDATA_URL % (username, self._GDATA_PAGE_SIZE, start_index)
  909. page = self._download_webpage(gdata_url, username,
  910. u'Downloading video ids from %d to %d' % (start_index, start_index + self._GDATA_PAGE_SIZE))
  911. try:
  912. response = json.loads(page)
  913. except ValueError as err:
  914. raise ExtractorError(u'Invalid JSON in API response: ' + compat_str(err))
  915. if 'entry' not in response['feed']:
  916. # Number of videos is a multiple of self._MAX_RESULTS
  917. break
  918. # Extract video identifiers
  919. ids_in_page = []
  920. for entry in response['feed']['entry']:
  921. ids_in_page.append(entry['id']['$t'].split('/')[-1])
  922. video_ids.extend(ids_in_page)
  923. # A little optimization - if current page is not
  924. # "full", ie. does not contain PAGE_SIZE video ids then
  925. # we can assume that this page is the last one - there
  926. # are no more ids on further pages - no need to query
  927. # again.
  928. if len(ids_in_page) < self._GDATA_PAGE_SIZE:
  929. break
  930. urls = ['http://www.youtube.com/watch?v=%s' % video_id for video_id in video_ids]
  931. url_results = [self.url_result(rurl, 'Youtube') for rurl in urls]
  932. return [self.playlist_result(url_results, playlist_title = username)]
  933. class YoutubeSearchIE(SearchInfoExtractor):
  934. IE_DESC = u'YouTube.com searches'
  935. _API_URL = 'https://gdata.youtube.com/feeds/api/videos?q=%s&start-index=%i&max-results=50&v=2&alt=jsonc'
  936. _MAX_RESULTS = 1000
  937. IE_NAME = u'youtube:search'
  938. _SEARCH_KEY = 'ytsearch'
  939. def report_download_page(self, query, pagenum):
  940. """Report attempt to download search page with given number."""
  941. self._downloader.to_screen(u'[youtube] query "%s": Downloading page %s' % (query, pagenum))
  942. def _get_n_results(self, query, n):
  943. """Get a specified number of results for a query"""
  944. video_ids = []
  945. pagenum = 0
  946. limit = n
  947. while (50 * pagenum) < limit:
  948. self.report_download_page(query, pagenum+1)
  949. result_url = self._API_URL % (compat_urllib_parse.quote_plus(query), (50*pagenum)+1)
  950. request = compat_urllib_request.Request(result_url)
  951. try:
  952. data = compat_urllib_request.urlopen(request).read().decode('utf-8')
  953. except (compat_urllib_error.URLError, compat_http_client.HTTPException, socket.error) as err:
  954. raise ExtractorError(u'Unable to download API page: %s' % compat_str(err))
  955. api_response = json.loads(data)['data']
  956. if not 'items' in api_response:
  957. raise ExtractorError(u'[youtube] No video results')
  958. new_ids = list(video['id'] for video in api_response['items'])
  959. video_ids += new_ids
  960. limit = min(n, api_response['totalItems'])
  961. pagenum += 1
  962. if len(video_ids) > n:
  963. video_ids = video_ids[:n]
  964. videos = [self.url_result('http://www.youtube.com/watch?v=%s' % id, 'Youtube') for id in video_ids]
  965. return self.playlist_result(videos, query)
  966. class YoutubeShowIE(InfoExtractor):
  967. IE_DESC = u'YouTube.com (multi-season) shows'
  968. _VALID_URL = r'https?://www\.youtube\.com/show/(.*)'
  969. IE_NAME = u'youtube:show'
  970. def _real_extract(self, url):
  971. mobj = re.match(self._VALID_URL, url)
  972. show_name = mobj.group(1)
  973. webpage = self._download_webpage(url, show_name, u'Downloading show webpage')
  974. # There's one playlist for each season of the show
  975. m_seasons = list(re.finditer(r'href="(/playlist\?list=.*?)"', webpage))
  976. self.to_screen(u'%s: Found %s seasons' % (show_name, len(m_seasons)))
  977. return [self.url_result('https://www.youtube.com' + season.group(1), 'YoutubePlaylist') for season in m_seasons]
  978. class YoutubeFeedsInfoExtractor(YoutubeBaseInfoExtractor):
  979. """
  980. Base class for extractors that fetch info from
  981. http://www.youtube.com/feed_ajax
  982. Subclasses must define the _FEED_NAME and _PLAYLIST_TITLE properties.
  983. """
  984. _LOGIN_REQUIRED = True
  985. _PAGING_STEP = 30
  986. # use action_load_personal_feed instead of action_load_system_feed
  987. _PERSONAL_FEED = False
  988. @property
  989. def _FEED_TEMPLATE(self):
  990. action = 'action_load_system_feed'
  991. if self._PERSONAL_FEED:
  992. action = 'action_load_personal_feed'
  993. return 'http://www.youtube.com/feed_ajax?%s=1&feed_name=%s&paging=%%s' % (action, self._FEED_NAME)
  994. @property
  995. def IE_NAME(self):
  996. return u'youtube:%s' % self._FEED_NAME
  997. def _real_initialize(self):
  998. self._login()
  999. def _real_extract(self, url):
  1000. feed_entries = []
  1001. # The step argument is available only in 2.7 or higher
  1002. for i in itertools.count(0):
  1003. paging = i*self._PAGING_STEP
  1004. info = self._download_webpage(self._FEED_TEMPLATE % paging,
  1005. u'%s feed' % self._FEED_NAME,
  1006. u'Downloading page %s' % i)
  1007. info = json.loads(info)
  1008. feed_html = info['feed_html']
  1009. m_ids = re.finditer(r'"/watch\?v=(.*?)["&]', feed_html)
  1010. ids = orderedSet(m.group(1) for m in m_ids)
  1011. feed_entries.extend(self.url_result(id, 'Youtube') for id in ids)
  1012. if info['paging'] is None:
  1013. break
  1014. return self.playlist_result(feed_entries, playlist_title=self._PLAYLIST_TITLE)
  1015. class YoutubeSubscriptionsIE(YoutubeFeedsInfoExtractor):
  1016. IE_DESC = u'YouTube.com subscriptions feed, "ytsubs" keyword(requires authentication)'
  1017. _VALID_URL = r'https?://www\.youtube\.com/feed/subscriptions|:ytsubs(?:criptions)?'
  1018. _FEED_NAME = 'subscriptions'
  1019. _PLAYLIST_TITLE = u'Youtube Subscriptions'
  1020. class YoutubeRecommendedIE(YoutubeFeedsInfoExtractor):
  1021. IE_DESC = u'YouTube.com recommended videos, "ytrec" keyword (requires authentication)'
  1022. _VALID_URL = r'https?://www\.youtube\.com/feed/recommended|:ytrec(?:ommended)?'
  1023. _FEED_NAME = 'recommended'
  1024. _PLAYLIST_TITLE = u'Youtube Recommended videos'
  1025. class YoutubeWatchLaterIE(YoutubeFeedsInfoExtractor):
  1026. IE_DESC = u'Youtube watch later list, "ytwatchlater" keyword (requires authentication)'
  1027. _VALID_URL = r'https?://www\.youtube\.com/feed/watch_later|:ytwatchlater'
  1028. _FEED_NAME = 'watch_later'
  1029. _PLAYLIST_TITLE = u'Youtube Watch Later'
  1030. _PAGING_STEP = 100
  1031. _PERSONAL_FEED = True
  1032. class YoutubeFavouritesIE(YoutubeBaseInfoExtractor):
  1033. IE_NAME = u'youtube:favorites'
  1034. IE_DESC = u'YouTube.com favourite videos, "ytfav" keyword (requires authentication)'
  1035. _VALID_URL = r'https?://www\.youtube\.com/my_favorites|:ytfav(?:ou?rites)?'
  1036. _LOGIN_REQUIRED = True
  1037. def _real_extract(self, url):
  1038. webpage = self._download_webpage('https://www.youtube.com/my_favorites', 'Youtube Favourites videos')
  1039. playlist_id = self._search_regex(r'list=(.+?)["&]', webpage, u'favourites playlist id')
  1040. return self.url_result(playlist_id, 'YoutubePlaylist')