2 from __future__ import unicode_literals
8 from .common import InfoExtractor
9 from .subtitles import SubtitlesInfoExtractor
13 compat_urllib_request,
15 get_element_by_attribute,
25 class VimeoBaseInfoExtractor(InfoExtractor):
26 _NETRC_MACHINE = 'vimeo'
27 _LOGIN_REQUIRED = False
30 (username, password) = self._get_login_info()
32 if self._LOGIN_REQUIRED:
33 raise ExtractorError('No login info available, needed for using %s.' % self.IE_NAME, expected=True)
36 login_url = 'https://vimeo.com/log_in'
37 webpage = self._download_webpage(login_url, None, False)
38 token = self._search_regex(r'xsrft: \'(.*?)\'', webpage, 'login token')
39 data = urlencode_postdata({
46 login_request = compat_urllib_request.Request(login_url, data)
47 login_request.add_header('Content-Type', 'application/x-www-form-urlencoded')
48 login_request.add_header('Cookie', 'xsrft=%s' % token)
49 self._download_webpage(login_request, None, False, 'Wrong login info')
52 class VimeoIE(VimeoBaseInfoExtractor, SubtitlesInfoExtractor):
53 """Information extractor for vimeo.com."""
55 # _VALID_URL matches Vimeo URLs
57 (?P<proto>(?:https?:)?//)?
58 (?:(?:www|(?P<player>player))\.)?
59 vimeo(?P<pro>pro)?\.com/
61 (?:(?:play_redirect_hls|moogaloop\.swf)\?clip_id=)?
64 /?(?:[?&].*)?(?:[#].*)?$'''
68 'url': 'http://vimeo.com/56015672#at=0',
69 'md5': '8879b6cc097e987f02484baf890129e5',
73 "upload_date": "20121220",
74 "description": "This is a test case for youtube-dl.\nFor more information, see github.com/rg3/youtube-dl\nTest chars: \u2605 \" ' \u5e78 / \\ \u00e4 \u21ad \U0001d550",
75 "uploader_id": "user7108434",
76 "uploader": "Filippo Valsorda",
77 "title": "youtube-dl test video - \u2605 \" ' \u5e78 / \\ \u00e4 \u21ad \U0001d550",
82 'url': 'http://vimeopro.com/openstreetmapus/state-of-the-map-us-2013/video/68093876',
83 'md5': '3b5ca6aa22b60dfeeadf50b72e44ed82',
84 'note': 'Vimeo Pro video (#1197)',
88 'uploader_id': 'openstreetmapus',
89 'uploader': 'OpenStreetMap US',
90 'title': 'Andy Allan - Putting the Carto into OpenStreetMap Cartography',
95 'url': 'http://player.vimeo.com/video/54469442',
96 'md5': '619b811a4417aa4abe78dc653becf511',
97 'note': 'Videos that embed the url in the player page',
101 'title': 'Kathy Sierra: Building the minimum Badass User, Business of Software 2012',
102 'uploader': 'The BLN & Business of Software',
103 'uploader_id': 'theblnbusinessofsoftware',
108 'url': 'http://vimeo.com/68375962',
109 'md5': 'aaf896bdb7ddd6476df50007a0ac0ae7',
110 'note': 'Video protected with password',
114 'title': 'youtube-dl password protected test video',
115 'upload_date': '20130614',
116 'uploader_id': 'user18948128',
117 'uploader': 'Jaime Marquínez Ferrándiz',
121 'videopassword': 'youtube-dl',
125 'url': 'http://vimeo.com/channels/keypeele/75629013',
126 'md5': '2f86a05afe9d7abc0b9126d229bbe15d',
127 'note': 'Video is freely available via original URL '
128 'and protected with password when accessed via http://vimeo.com/75629013',
132 'title': 'Key & Peele: Terrorist Interrogation',
133 'description': 'md5:8678b246399b070816b12313e8b4eb5c',
134 'uploader_id': 'atencio',
135 'uploader': 'Peter Atencio',
140 'url': 'http://vimeo.com/76979871',
141 'md5': '3363dd6ffebe3784d56f4132317fd446',
142 'note': 'Video with subtitles',
146 'title': 'The New Vimeo Player (You Know, For Videos)',
147 'description': 'md5:2ec900bf97c3f389378a96aee11260ea',
148 'upload_date': '20131015',
149 'uploader_id': 'staff',
150 'uploader': 'Vimeo Staff',
157 def suitable(cls, url):
158 if VimeoChannelIE.suitable(url):
159 # Otherwise channel urls like http://vimeo.com/channels/31259 would
163 return super(VimeoIE, cls).suitable(url)
165 def _verify_video_password(self, url, video_id, webpage):
166 password = self._downloader.params.get('videopassword', None)
168 raise ExtractorError('This video is protected by a password, use the --video-password option')
169 token = self._search_regex(r'xsrft: \'(.*?)\'', webpage, 'login token')
170 data = compat_urllib_parse.urlencode({
171 'password': password,
174 # I didn't manage to use the password with https
175 if url.startswith('https'):
176 pass_url = url.replace('https', 'http')
179 password_request = compat_urllib_request.Request(pass_url + '/password', data)
180 password_request.add_header('Content-Type', 'application/x-www-form-urlencoded')
181 password_request.add_header('Cookie', 'xsrft=%s' % token)
182 self._download_webpage(password_request, video_id,
183 'Verifying the password',
186 def _verify_player_video_password(self, url, video_id):
187 password = self._downloader.params.get('videopassword', None)
189 raise ExtractorError('This video is protected by a password, use the --video-password option')
190 data = compat_urllib_parse.urlencode({'password': password})
191 pass_url = url + '/check-password'
192 password_request = compat_urllib_request.Request(pass_url, data)
193 password_request.add_header('Content-Type', 'application/x-www-form-urlencoded')
194 return self._download_json(
195 password_request, video_id,
196 'Verifying the password',
199 def _real_initialize(self):
202 def _real_extract(self, url):
203 url, data = unsmuggle_url(url)
204 headers = std_headers
206 headers = headers.copy()
209 # Extract ID from URL
210 mobj = re.match(self._VALID_URL, url)
211 video_id = mobj.group('id')
212 if mobj.group('pro') or mobj.group('player'):
213 url = 'http://player.vimeo.com/video/' + video_id
215 # Retrieve video webpage to extract further information
216 request = compat_urllib_request.Request(url, None, headers)
218 webpage = self._download_webpage(request, video_id)
219 except ExtractorError as ee:
220 if isinstance(ee.cause, compat_HTTPError) and ee.cause.code == 403:
221 errmsg = ee.cause.read()
222 if b'Because of its privacy settings, this video cannot be played here' in errmsg:
223 raise ExtractorError(
224 'Cannot download embed-only video without embedding '
225 'URL. Please call youtube-dl with the URL of the page '
226 'that embeds this video.',
230 # Now we begin extracting as much information as we can from what we
231 # retrieved. First we extract the information common to all extractors,
232 # and latter we extract those that are Vimeo specific.
233 self.report_extraction(video_id)
235 # Extract the config JSON
238 config_url = self._html_search_regex(
239 r' data-config-url="(.+?)"', webpage, 'config URL')
240 config_json = self._download_webpage(config_url, video_id)
241 config = json.loads(config_json)
242 except RegexNotFoundError:
243 # For pro videos or player.vimeo.com urls
244 # We try to find out to which variable is assigned the config dic
245 m_variable_name = re.search('(\w)\.video\.id', webpage)
246 if m_variable_name is not None:
247 config_re = r'%s=({.+?});' % re.escape(m_variable_name.group(1))
249 config_re = [r' = {config:({.+?}),assets:', r'(?:[abc])=({.+?});']
250 config = self._search_regex(config_re, webpage, 'info section',
252 config = json.loads(config)
253 except Exception as e:
254 if re.search('The creator of this video has not given you permission to embed it on this domain.', webpage):
255 raise ExtractorError('The author has restricted the access to this video, try with the "--referer" option')
257 if re.search('<form[^>]+?id="pw_form"', webpage) is not None:
258 self._verify_video_password(url, video_id, webpage)
259 return self._real_extract(url)
261 raise ExtractorError('Unable to extract info section',
264 if config.get('view') == 4:
265 config = self._verify_player_video_password(url, video_id)
268 video_title = config["video"]["title"]
270 # Extract uploader and uploader_id
271 video_uploader = config["video"]["owner"]["name"]
272 video_uploader_id = config["video"]["owner"]["url"].split('/')[-1] if config["video"]["owner"]["url"] else None
274 # Extract video thumbnail
275 video_thumbnail = config["video"].get("thumbnail")
276 if video_thumbnail is None:
277 video_thumbs = config["video"].get("thumbs")
278 if video_thumbs and isinstance(video_thumbs, dict):
279 _, video_thumbnail = sorted((int(width if width.isdigit() else 0), t_url) for (width, t_url) in video_thumbs.items())[-1]
281 # Extract video description
282 video_description = None
284 video_description = get_element_by_attribute("class", "description_wrapper", webpage)
285 if video_description:
286 video_description = clean_html(video_description)
287 except AssertionError as err:
288 # On some pages like (http://player.vimeo.com/video/54469442) the
289 # html tags are not closed, python 2.6 cannot handle it
290 if err.args[0] == 'we should not get here!':
295 # Extract video duration
296 video_duration = int_or_none(config["video"].get("duration"))
298 # Extract upload date
299 video_upload_date = None
300 mobj = re.search(r'<meta itemprop="dateCreated" content="(\d{4})-(\d{2})-(\d{2})T', webpage)
302 video_upload_date = mobj.group(1) + mobj.group(2) + mobj.group(3)
305 view_count = int(self._search_regex(r'UserPlays:(\d+)', webpage, 'view count'))
306 like_count = int(self._search_regex(r'UserLikes:(\d+)', webpage, 'like count'))
307 comment_count = int(self._search_regex(r'UserComments:(\d+)', webpage, 'comment count'))
308 except RegexNotFoundError:
309 # This info is only available in vimeo.com/{id} urls
314 # Vimeo specific: extract request signature and timestamp
315 sig = config['request']['signature']
316 timestamp = config['request']['timestamp']
318 # Vimeo specific: extract video codec and quality information
319 # First consider quality, then codecs, then take everything
320 codecs = [('vp6', 'flv'), ('vp8', 'flv'), ('h264', 'mp4')]
321 files = {'hd': [], 'sd': [], 'other': []}
322 config_files = config["video"].get("files") or config["request"].get("files")
323 for codec_name, codec_extension in codecs:
324 for quality in config_files.get(codec_name, []):
325 format_id = '-'.join((codec_name, quality)).lower()
326 key = quality if quality in files else 'other'
328 if isinstance(config_files[codec_name], dict):
329 file_info = config_files[codec_name][quality]
330 video_url = file_info.get('url')
333 if video_url is None:
334 video_url = "http://player.vimeo.com/play_redirect?clip_id=%s&sig=%s&time=%s&quality=%s&codecs=%s&type=moogaloop_local&embed_location=" \
335 % (video_id, sig, timestamp, quality, codec_name.upper())
338 'ext': codec_extension,
340 'format_id': format_id,
341 'width': file_info.get('width'),
342 'height': file_info.get('height'),
345 for key in ('other', 'sd', 'hd'):
346 formats += files[key]
347 if len(formats) == 0:
348 raise ExtractorError('No known codec found')
351 text_tracks = config['request'].get('text_tracks')
353 for tt in text_tracks:
354 subtitles[tt['lang']] = 'http://vimeo.com' + tt['url']
356 video_subtitles = self.extract_subtitles(video_id, subtitles)
357 if self._downloader.params.get('listsubtitles', False):
358 self._list_available_subtitles(video_id, subtitles)
363 'uploader': video_uploader,
364 'uploader_id': video_uploader_id,
365 'upload_date': video_upload_date,
366 'title': video_title,
367 'thumbnail': video_thumbnail,
368 'description': video_description,
369 'duration': video_duration,
372 'view_count': view_count,
373 'like_count': like_count,
374 'comment_count': comment_count,
375 'subtitles': video_subtitles,
379 class VimeoChannelIE(InfoExtractor):
380 IE_NAME = 'vimeo:channel'
381 _VALID_URL = r'(?:https?://)?vimeo\.com/channels/(?P<id>[^/]+)/?(\?.*)?$'
382 _MORE_PAGES_INDICATOR = r'<a.+?rel="next"'
383 _TITLE_RE = r'<link rel="alternate"[^>]+?title="(.*?)"'
385 def _page_url(self, base_url, pagenum):
386 return '%s/videos/page:%d/' % (base_url, pagenum)
388 def _extract_list_title(self, webpage):
389 return self._html_search_regex(self._TITLE_RE, webpage, 'list title')
391 def _extract_videos(self, list_id, base_url):
393 for pagenum in itertools.count(1):
394 webpage = self._download_webpage(
395 self._page_url(base_url, pagenum), list_id,
396 'Downloading page %s' % pagenum)
397 video_ids.extend(re.findall(r'id="clip_(\d+?)"', webpage))
398 if re.search(self._MORE_PAGES_INDICATOR, webpage, re.DOTALL) is None:
401 entries = [self.url_result('http://vimeo.com/%s' % video_id, 'Vimeo')
402 for video_id in video_ids]
403 return {'_type': 'playlist',
405 'title': self._extract_list_title(webpage),
409 def _real_extract(self, url):
410 mobj = re.match(self._VALID_URL, url)
411 channel_id = mobj.group('id')
412 return self._extract_videos(channel_id, 'http://vimeo.com/channels/%s' % channel_id)
415 class VimeoUserIE(VimeoChannelIE):
416 IE_NAME = 'vimeo:user'
417 _VALID_URL = r'(?:https?://)?vimeo\.com/(?P<name>[^/]+)(?:/videos|[#?]|$)'
418 _TITLE_RE = r'<a[^>]+?class="user">([^<>]+?)</a>'
421 def suitable(cls, url):
422 if VimeoChannelIE.suitable(url) or VimeoIE.suitable(url) or VimeoAlbumIE.suitable(url) or VimeoGroupsIE.suitable(url):
424 return super(VimeoUserIE, cls).suitable(url)
426 def _real_extract(self, url):
427 mobj = re.match(self._VALID_URL, url)
428 name = mobj.group('name')
429 return self._extract_videos(name, 'http://vimeo.com/%s' % name)
432 class VimeoAlbumIE(VimeoChannelIE):
433 IE_NAME = 'vimeo:album'
434 _VALID_URL = r'(?:https?://)?vimeo\.com/album/(?P<id>\d+)'
435 _TITLE_RE = r'<header id="page_header">\n\s*<h1>(.*?)</h1>'
437 def _page_url(self, base_url, pagenum):
438 return '%s/page:%d/' % (base_url, pagenum)
440 def _real_extract(self, url):
441 mobj = re.match(self._VALID_URL, url)
442 album_id = mobj.group('id')
443 return self._extract_videos(album_id, 'http://vimeo.com/album/%s' % album_id)
446 class VimeoGroupsIE(VimeoAlbumIE):
447 IE_NAME = 'vimeo:group'
448 _VALID_URL = r'(?:https?://)?vimeo\.com/groups/(?P<name>[^/]+)'
450 def _extract_list_title(self, webpage):
451 return self._og_search_title(webpage)
453 def _real_extract(self, url):
454 mobj = re.match(self._VALID_URL, url)
455 name = mobj.group('name')
456 return self._extract_videos(name, 'http://vimeo.com/groups/%s' % name)
459 class VimeoReviewIE(InfoExtractor):
460 IE_NAME = 'vimeo:review'
461 IE_DESC = 'Review pages on vimeo'
462 _VALID_URL = r'(?:https?://)?vimeo\.com/[^/]+/review/(?P<id>[^/]+)'
464 'url': 'https://vimeo.com/user21297594/review/75524534/3c257a1b5d',
465 'file': '75524534.mp4',
466 'md5': 'c507a72f780cacc12b2248bb4006d253',
468 'title': "DICK HARDWICK 'Comedian'",
469 'uploader': 'Richard Hardwick',
473 def _real_extract(self, url):
474 mobj = re.match(self._VALID_URL, url)
475 video_id = mobj.group('id')
476 player_url = 'https://player.vimeo.com/player/' + video_id
477 return self.url_result(player_url, 'Vimeo', video_id)
480 class VimeoWatchLaterIE(VimeoBaseInfoExtractor, VimeoChannelIE):
481 IE_NAME = 'vimeo:watchlater'
482 IE_DESC = 'Vimeo watch later list, "vimeowatchlater" keyword (requires authentication)'
483 _VALID_URL = r'https?://vimeo\.com/home/watchlater|:vimeowatchlater'
484 _LOGIN_REQUIRED = True
485 _TITLE_RE = r'href="/home/watchlater".*?>(.*?)<'
487 def _real_initialize(self):
490 def _page_url(self, base_url, pagenum):
491 url = '%s/page:%d/' % (base_url, pagenum)
492 request = compat_urllib_request.Request(url)
493 # Set the header to get a partial html page with the ids,
494 # the normal page doesn't contain them.
495 request.add_header('X-Requested-With', 'XMLHttpRequest')
498 def _real_extract(self, url):
499 return self._extract_videos('watchlater', 'https://vimeo.com/home/watchlater')