[udemy:course] Skip non-video lectures
[youtube-dl] / youtube_dl / extractor / udemy.py
1 from __future__ import unicode_literals
2
3 import re
4
5 from .common import InfoExtractor
6 from ..compat import (
7     compat_HTTPError,
8     compat_urllib_parse_urlencode,
9     compat_urllib_request,
10     compat_urlparse,
11 )
12 from ..utils import (
13     determine_ext,
14     extract_attributes,
15     ExtractorError,
16     float_or_none,
17     int_or_none,
18     sanitized_Request,
19     unescapeHTML,
20     urlencode_postdata,
21 )
22
23
24 class UdemyIE(InfoExtractor):
25     IE_NAME = 'udemy'
26     _VALID_URL = r'''(?x)
27                     https?://
28                         www\.udemy\.com/
29                         (?:
30                             [^#]+\#/lecture/|
31                             lecture/view/?\?lectureId=|
32                             [^/]+/learn/v4/t/lecture/
33                         )
34                         (?P<id>\d+)
35                     '''
36     _LOGIN_URL = 'https://www.udemy.com/join/login-popup/?displayType=ajax&showSkipButton=1'
37     _ORIGIN_URL = 'https://www.udemy.com'
38     _NETRC_MACHINE = 'udemy'
39
40     _TESTS = [{
41         'url': 'https://www.udemy.com/java-tutorial/#/lecture/172757',
42         'md5': '98eda5b657e752cf945d8445e261b5c5',
43         'info_dict': {
44             'id': '160614',
45             'ext': 'mp4',
46             'title': 'Introduction and Installation',
47             'description': 'md5:c0d51f6f21ef4ec65f091055a5eef876',
48             'duration': 579.29,
49         },
50         'skip': 'Requires udemy account credentials',
51     }, {
52         # new URL schema
53         'url': 'https://www.udemy.com/electric-bass-right-from-the-start/learn/v4/t/lecture/4580906',
54         'only_matching': True,
55     }]
56
57     def _extract_course_info(self, webpage, video_id):
58         course = self._parse_json(
59             unescapeHTML(self._search_regex(
60                 r'ng-init=["\'].*\bcourse=({.+?});', webpage, 'course', default='{}')),
61             video_id, fatal=False) or {}
62         course_id = course.get('id') or self._search_regex(
63             (r'&quot;id&quot;\s*:\s*(\d+)', r'data-course-id=["\'](\d+)'),
64             webpage, 'course id')
65         return course_id, course.get('title')
66
67     def _enroll_course(self, base_url, webpage, course_id):
68         def combine_url(base_url, url):
69             return compat_urlparse.urljoin(base_url, url) if not url.startswith('http') else url
70
71         checkout_url = unescapeHTML(self._search_regex(
72             r'href=(["\'])(?P<url>(?:https?://(?:www\.)?udemy\.com)?/payment/checkout/.+?)\1',
73             webpage, 'checkout url', group='url', default=None))
74         if checkout_url:
75             raise ExtractorError(
76                 'Course %s is not free. You have to pay for it before you can download. '
77                 'Use this URL to confirm purchase: %s'
78                 % (course_id, combine_url(base_url, checkout_url)),
79                 expected=True)
80
81         enroll_url = unescapeHTML(self._search_regex(
82             r'href=(["\'])(?P<url>(?:https?://(?:www\.)?udemy\.com)?/course/subscribe/.+?)\1',
83             webpage, 'enroll url', group='url', default=None))
84         if enroll_url:
85             webpage = self._download_webpage(
86                 combine_url(base_url, enroll_url),
87                 course_id, 'Enrolling in the course')
88             if '>You have enrolled in' in webpage:
89                 self.to_screen('%s: Successfully enrolled in the course' % course_id)
90
91     def _download_lecture(self, course_id, lecture_id):
92         return self._download_json(
93             'https://www.udemy.com/api-2.0/users/me/subscribed-courses/%s/lectures/%s?%s' % (
94                 course_id, lecture_id, compat_urllib_parse_urlencode({
95                     'fields[lecture]': 'title,description,view_html,asset',
96                     'fields[asset]': 'asset_type,stream_url,thumbnail_url,download_urls,data',
97                 })),
98             lecture_id, 'Downloading lecture JSON')
99
100     def _handle_error(self, response):
101         if not isinstance(response, dict):
102             return
103         error = response.get('error')
104         if error:
105             error_str = 'Udemy returned error #%s: %s' % (error.get('code'), error.get('message'))
106             error_data = error.get('data')
107             if error_data:
108                 error_str += ' - %s' % error_data.get('formErrors')
109             raise ExtractorError(error_str, expected=True)
110
111     def _download_json(self, url_or_request, *args, **kwargs):
112         headers = {
113             'X-Udemy-Snail-Case': 'true',
114             'X-Requested-With': 'XMLHttpRequest',
115         }
116         for cookie in self._downloader.cookiejar:
117             if cookie.name == 'client_id':
118                 headers['X-Udemy-Client-Id'] = cookie.value
119             elif cookie.name == 'access_token':
120                 headers['X-Udemy-Bearer-Token'] = cookie.value
121                 headers['X-Udemy-Authorization'] = 'Bearer %s' % cookie.value
122
123         if isinstance(url_or_request, compat_urllib_request.Request):
124             for header, value in headers.items():
125                 url_or_request.add_header(header, value)
126         else:
127             url_or_request = sanitized_Request(url_or_request, headers=headers)
128
129         response = super(UdemyIE, self)._download_json(url_or_request, *args, **kwargs)
130         self._handle_error(response)
131         return response
132
133     def _real_initialize(self):
134         self._login()
135
136     def _login(self):
137         (username, password) = self._get_login_info()
138         if username is None:
139             return
140
141         login_popup = self._download_webpage(
142             self._LOGIN_URL, None, 'Downloading login popup')
143
144         def is_logged(webpage):
145             return any(p in webpage for p in ['href="https://www.udemy.com/user/logout/', '>Logout<'])
146
147         # already logged in
148         if is_logged(login_popup):
149             return
150
151         login_form = self._form_hidden_inputs('login-form', login_popup)
152
153         login_form.update({
154             'email': username.encode('utf-8'),
155             'password': password.encode('utf-8'),
156         })
157
158         request = sanitized_Request(
159             self._LOGIN_URL, urlencode_postdata(login_form))
160         request.add_header('Referer', self._ORIGIN_URL)
161         request.add_header('Origin', self._ORIGIN_URL)
162
163         response = self._download_webpage(
164             request, None, 'Logging in as %s' % username)
165
166         if not is_logged(response):
167             error = self._html_search_regex(
168                 r'(?s)<div[^>]+class="form-errors[^"]*">(.+?)</div>',
169                 response, 'error message', default=None)
170             if error:
171                 raise ExtractorError('Unable to login: %s' % error, expected=True)
172             raise ExtractorError('Unable to log in')
173
174     def _real_extract(self, url):
175         lecture_id = self._match_id(url)
176
177         webpage = self._download_webpage(url, lecture_id)
178
179         course_id, _ = self._extract_course_info(webpage, lecture_id)
180
181         try:
182             lecture = self._download_lecture(course_id, lecture_id)
183         except ExtractorError as e:
184             # Error could possibly mean we are not enrolled in the course
185             if isinstance(e.cause, compat_HTTPError) and e.cause.code == 403:
186                 self._enroll_course(url, webpage, course_id)
187                 lecture = self._download_lecture(course_id, lecture_id)
188             else:
189                 raise
190
191         title = lecture['title']
192         description = lecture.get('description')
193
194         asset = lecture['asset']
195
196         asset_type = asset.get('asset_type') or asset.get('assetType')
197         if asset_type != 'Video':
198             raise ExtractorError(
199                 'Lecture %s is not a video' % lecture_id, expected=True)
200
201         stream_url = asset.get('stream_url') or asset.get('streamUrl')
202         if stream_url:
203             youtube_url = self._search_regex(
204                 r'(https?://www\.youtube\.com/watch\?v=.*)', stream_url, 'youtube URL', default=None)
205             if youtube_url:
206                 return self.url_result(youtube_url, 'Youtube')
207
208         video_id = asset['id']
209         thumbnail = asset.get('thumbnail_url') or asset.get('thumbnailUrl')
210         duration = float_or_none(asset.get('data', {}).get('duration'))
211
212         formats = []
213
214         def extract_output_format(src):
215             return {
216                 'url': src['url'],
217                 'format_id': '%sp' % (src.get('height') or format_id),
218                 'width': int_or_none(src.get('width')),
219                 'height': int_or_none(src.get('height')),
220                 'vbr': int_or_none(src.get('video_bitrate_in_kbps')),
221                 'vcodec': src.get('video_codec'),
222                 'fps': int_or_none(src.get('frame_rate')),
223                 'abr': int_or_none(src.get('audio_bitrate_in_kbps')),
224                 'acodec': src.get('audio_codec'),
225                 'asr': int_or_none(src.get('audio_sample_rate')),
226                 'tbr': int_or_none(src.get('total_bitrate_in_kbps')),
227                 'filesize': int_or_none(src.get('file_size_in_bytes')),
228             }
229
230         outputs = asset.get('data', {}).get('outputs')
231         if not isinstance(outputs, dict):
232             outputs = {}
233
234         def add_output_format_meta(f, key):
235             output = outputs.get(key)
236             if isinstance(output, dict):
237                 output_format = extract_output_format(output)
238                 output_format.update(f)
239                 return output_format
240             return f
241
242         download_urls = asset.get('download_urls')
243         if isinstance(download_urls, dict):
244             video = download_urls.get('Video')
245             if isinstance(video, list):
246                 for format_ in video:
247                     video_url = format_.get('file')
248                     if not video_url:
249                         continue
250                     format_id = format_.get('label')
251                     f = {
252                         'url': format_['file'],
253                         'format_id': '%sp' % format_id,
254                         'height': int_or_none(format_id),
255                     }
256                     if format_id:
257                         # Some videos contain additional metadata (e.g.
258                         # https://www.udemy.com/ios9-swift/learn/#/lecture/3383208)
259                         f = add_output_format_meta(f, format_id)
260                     formats.append(f)
261
262         view_html = lecture.get('view_html')
263         if view_html:
264             view_html_urls = set()
265             for source in re.findall(r'<source[^>]+>', view_html):
266                 attributes = extract_attributes(source)
267                 src = attributes.get('src')
268                 if not src:
269                     continue
270                 res = attributes.get('data-res')
271                 height = int_or_none(res)
272                 if src in view_html_urls:
273                     continue
274                 view_html_urls.add(src)
275                 if attributes.get('type') == 'application/x-mpegURL' or determine_ext(src) == 'm3u8':
276                     m3u8_formats = self._extract_m3u8_formats(
277                         src, video_id, 'mp4', entry_protocol='m3u8_native',
278                         m3u8_id='hls', fatal=False)
279                     for f in m3u8_formats:
280                         m = re.search(r'/hls_(?P<height>\d{3,4})_(?P<tbr>\d{2,})/', f['url'])
281                         if m:
282                             if not f.get('height'):
283                                 f['height'] = int(m.group('height'))
284                             if not f.get('tbr'):
285                                 f['tbr'] = int(m.group('tbr'))
286                     formats.extend(m3u8_formats)
287                 else:
288                     formats.append(add_output_format_meta({
289                         'url': src,
290                         'format_id': '%dp' % height if height else None,
291                         'height': height,
292                     }, res))
293
294         self._sort_formats(formats, field_preference=('height', 'width', 'tbr', 'format_id'))
295
296         return {
297             'id': video_id,
298             'title': title,
299             'description': description,
300             'thumbnail': thumbnail,
301             'duration': duration,
302             'formats': formats
303         }
304
305
306 class UdemyCourseIE(UdemyIE):
307     IE_NAME = 'udemy:course'
308     _VALID_URL = r'https?://www\.udemy\.com/(?P<id>[^/?#&]+)'
309     _TESTS = []
310
311     @classmethod
312     def suitable(cls, url):
313         return False if UdemyIE.suitable(url) else super(UdemyCourseIE, cls).suitable(url)
314
315     def _real_extract(self, url):
316         course_path = self._match_id(url)
317
318         webpage = self._download_webpage(url, course_path)
319
320         course_id, title = self._extract_course_info(webpage, course_path)
321
322         self._enroll_course(url, webpage, course_id)
323
324         response = self._download_json(
325             'https://www.udemy.com/api-2.0/courses/%s/cached-subscriber-curriculum-items' % course_id,
326             course_id, 'Downloading course curriculum', query={
327                 'fields[chapter]': 'title,object_index',
328                 'fields[lecture]': 'title,asset',
329                 'page_size': '1000',
330             })
331
332         entries = []
333         chapter, chapter_number = [None] * 2
334         for entry in response['results']:
335             clazz = entry.get('_class')
336             if clazz == 'lecture':
337                 asset = entry.get('asset')
338                 if isinstance(asset, dict):
339                     asset_type = asset.get('asset_type') or asset.get('assetType')
340                     if asset_type != 'Video':
341                         continue
342                 lecture_id = entry.get('id')
343                 if lecture_id:
344                     entry = {
345                         '_type': 'url_transparent',
346                         'url': 'https://www.udemy.com/%s/learn/v4/t/lecture/%s' % (course_path, entry['id']),
347                         'title': entry.get('title'),
348                         'ie_key': UdemyIE.ie_key(),
349                     }
350                     if chapter_number:
351                         entry['chapter_number'] = chapter_number
352                     if chapter:
353                         entry['chapter'] = chapter
354                     entries.append(entry)
355             elif clazz == 'chapter':
356                 chapter_number = entry.get('object_index')
357                 chapter = entry.get('title')
358
359         return self.playlist_result(entries, course_id, title)