]> jfr.im git - yt-dlp.git/blame - yt_dlp/extractor/udemy.py
[extractor] Add `_perform_login` function (#2943)
[yt-dlp.git] / yt_dlp / extractor / udemy.py
CommitLineData
e5de3f6c
S
1from __future__ import unicode_literals
2
efcba804
S
3import re
4
e5de3f6c 5from .common import InfoExtractor
1cc79574 6from ..compat import (
328f82d5 7 compat_HTTPError,
abe8766c 8 compat_kwargs,
0a439c5c 9 compat_str,
e5de3f6c 10 compat_urllib_request,
ff9d5d09 11 compat_urlparse,
1cc79574
PH
12)
13from ..utils import (
efcba804
S
14 determine_ext,
15 extract_attributes,
e5de3f6c 16 ExtractorError,
328f82d5 17 float_or_none,
3b35c342 18 int_or_none,
57a38a38 19 js_to_json,
5c2266df 20 sanitized_Request,
2fbd8635 21 try_get,
17b2d7ca 22 unescapeHTML,
3052a30d 23 url_or_none,
6e6bc8da 24 urlencode_postdata,
e5de3f6c
S
25)
26
27
28class UdemyIE(InfoExtractor):
29 IE_NAME = 'udemy'
5eb7db4e
S
30 _VALID_URL = r'''(?x)
31 https?://
d7d51389 32 (?:[^/]+\.)?udemy\.com/
5eb7db4e
S
33 (?:
34 [^#]+\#/lecture/|
35 lecture/view/?\?lectureId=|
36 [^/]+/learn/v4/t/lecture/
37 )
38 (?P<id>\d+)
39 '''
dcd4d95c
S
40 _LOGIN_URL = 'https://www.udemy.com/join/login-popup/?displayType=ajax&showSkipButton=1'
41 _ORIGIN_URL = 'https://www.udemy.com'
e5de3f6c
S
42 _NETRC_MACHINE = 'udemy'
43
6563837e 44 _TESTS = [{
e5de3f6c
S
45 'url': 'https://www.udemy.com/java-tutorial/#/lecture/172757',
46 'md5': '98eda5b657e752cf945d8445e261b5c5',
47 'info_dict': {
48 'id': '160614',
49 'ext': 'mp4',
50 'title': 'Introduction and Installation',
51 'description': 'md5:c0d51f6f21ef4ec65f091055a5eef876',
52 'duration': 579.29,
53 },
54 'skip': 'Requires udemy account credentials',
5eb7db4e
S
55 }, {
56 # new URL schema
57 'url': 'https://www.udemy.com/electric-bass-right-from-the-start/learn/v4/t/lecture/4580906',
58 'only_matching': True,
b7f87493
S
59 }, {
60 # no url in outputs format entry
61 'url': 'https://www.udemy.com/learn-web-development-complete-step-by-step-guide-to-success/learn/v4/t/lecture/4125812',
62 'only_matching': True,
85139634
S
63 }, {
64 # only outputs rendition
65 'url': 'https://www.udemy.com/how-you-can-help-your-local-community-5-amazing-examples/learn/v4/t/lecture/3225750?start=0',
66 'only_matching': True,
d7d51389
S
67 }, {
68 'url': 'https://wipro.udemy.com/java-tutorial/#/lecture/172757',
69 'only_matching': True,
6563837e 70 }]
e5de3f6c 71
81da8cbc
S
72 def _extract_course_info(self, webpage, video_id):
73 course = self._parse_json(
74 unescapeHTML(self._search_regex(
6f1ec339
S
75 r'ng-init=["\'].*\bcourse=({.+?})[;"\']',
76 webpage, 'course', default='{}')),
81da8cbc
S
77 video_id, fatal=False) or {}
78 course_id = course.get('id') or self._search_regex(
5de53878
RA
79 [
80 r'data-course-id=["\'](\d+)',
81 r'&quot;courseId&quot;\s*:\s*(\d+)'
82 ], webpage, 'course id')
81da8cbc
S
83 return course_id, course.get('title')
84
ff9d5d09 85 def _enroll_course(self, base_url, webpage, course_id):
b24ab3e3
S
86 def combine_url(base_url, url):
87 return compat_urlparse.urljoin(base_url, url) if not url.startswith('http') else url
88
17b2d7ca 89 checkout_url = unescapeHTML(self._search_regex(
5f5c7b92 90 r'href=(["\'])(?P<url>(?:https?://(?:www\.)?udemy\.com)?/(?:payment|cart)/checkout/.+?)\1',
17b2d7ca
S
91 webpage, 'checkout url', group='url', default=None))
92 if checkout_url:
93 raise ExtractorError(
f20756fb 94 'Course %s is not free. You have to pay for it before you can download. '
b24ab3e3
S
95 'Use this URL to confirm purchase: %s'
96 % (course_id, combine_url(base_url, checkout_url)),
97 expected=True)
17b2d7ca
S
98
99 enroll_url = unescapeHTML(self._search_regex(
ff9d5d09 100 r'href=(["\'])(?P<url>(?:https?://(?:www\.)?udemy\.com)?/course/subscribe/.+?)\1',
17b2d7ca
S
101 webpage, 'enroll url', group='url', default=None))
102 if enroll_url:
b24ab3e3
S
103 webpage = self._download_webpage(
104 combine_url(base_url, enroll_url),
aabdc83d
S
105 course_id, 'Enrolling in the course',
106 headers={'Referer': base_url})
17b2d7ca
S
107 if '>You have enrolled in' in webpage:
108 self.to_screen('%s: Successfully enrolled in the course' % course_id)
328f82d5
S
109
110 def _download_lecture(self, course_id, lecture_id):
111 return self._download_json(
75b81df3
S
112 'https://www.udemy.com/api-2.0/users/me/subscribed-courses/%s/lectures/%s?'
113 % (course_id, lecture_id),
114 lecture_id, 'Downloading lecture JSON', query={
115 'fields[lecture]': 'title,description,view_html,asset',
2fbd8635 116 'fields[asset]': 'asset_type,stream_url,thumbnail_url,download_urls,stream_urls,captions,data',
75b81df3 117 })
328f82d5 118
e5de3f6c
S
119 def _handle_error(self, response):
120 if not isinstance(response, dict):
121 return
122 error = response.get('error')
123 if error:
124 error_str = 'Udemy returned error #%s: %s' % (error.get('code'), error.get('message'))
125 error_data = error.get('data')
126 if error_data:
127 error_str += ' - %s' % error_data.get('formErrors')
128 raise ExtractorError(error_str, expected=True)
129
e5eadfa8 130 def _download_webpage_handle(self, *args, **kwargs):
c8f6ab8c 131 headers = kwargs.get('headers', {}).copy()
ae65c93a 132 headers['User-Agent'] = 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/72.0.3626.109 Safari/537.36'
c8f6ab8c 133 kwargs['headers'] = headers
ae65c93a 134 ret = super(UdemyIE, self)._download_webpage_handle(
abe8766c 135 *args, **compat_kwargs(kwargs))
ae65c93a
S
136 if not ret:
137 return ret
138 webpage, _ = ret
139 if any(p in webpage for p in (
140 '>Please verify you are a human',
141 'Access to this page has been denied because we believe you are using automation tools to browse the website',
142 '"_pxCaptcha"')):
143 raise ExtractorError(
144 'Udemy asks you to solve a CAPTCHA. Login with browser, '
145 'solve CAPTCHA, then export cookies and pass cookie file to '
7a5c1cfe 146 'yt-dlp with --cookies.', expected=True)
ae65c93a 147 return ret
abe8766c 148
81da8cbc 149 def _download_json(self, url_or_request, *args, **kwargs):
e2937118
S
150 headers = {
151 'X-Udemy-Snail-Case': 'true',
152 'X-Requested-With': 'XMLHttpRequest',
153 }
154 for cookie in self._downloader.cookiejar:
155 if cookie.name == 'client_id':
156 headers['X-Udemy-Client-Id'] = cookie.value
157 elif cookie.name == 'access_token':
158 headers['X-Udemy-Bearer-Token'] = cookie.value
328f82d5 159 headers['X-Udemy-Authorization'] = 'Bearer %s' % cookie.value
61c0663c
S
160
161 if isinstance(url_or_request, compat_urllib_request.Request):
162 for header, value in headers.items():
163 url_or_request.add_header(header, value)
164 else:
5c2266df 165 url_or_request = sanitized_Request(url_or_request, headers=headers)
61c0663c 166
81da8cbc 167 response = super(UdemyIE, self)._download_json(url_or_request, *args, **kwargs)
61c0663c
S
168 self._handle_error(response)
169 return response
e2937118 170
52efa4b3 171 def _perform_login(self, username, password):
e5de3f6c 172 login_popup = self._download_webpage(
dcd4d95c 173 self._LOGIN_URL, None, 'Downloading login popup')
e5de3f6c 174
d609edf4 175 def is_logged(webpage):
807cf7b0
S
176 return any(re.search(p, webpage) for p in (
177 r'href=["\'](?:https://www\.udemy\.com)?/user/logout/',
178 r'>Logout<'))
d609edf4
S
179
180 # already logged in
181 if is_logged(login_popup):
e5de3f6c
S
182 return
183
dcd4d95c 184 login_form = self._form_hidden_inputs('login-form', login_popup)
e5de3f6c 185
dcd4d95c 186 login_form.update({
a3373823
S
187 'email': username,
188 'password': password,
dcd4d95c
S
189 })
190
dcd4d95c 191 response = self._download_webpage(
e4d95865 192 self._LOGIN_URL, None, 'Logging in',
75b81df3
S
193 data=urlencode_postdata(login_form),
194 headers={
195 'Referer': self._ORIGIN_URL,
196 'Origin': self._ORIGIN_URL,
197 })
e5de3f6c 198
d609edf4 199 if not is_logged(response):
dcd4d95c
S
200 error = self._html_search_regex(
201 r'(?s)<div[^>]+class="form-errors[^"]*">(.+?)</div>',
202 response, 'error message', default=None)
203 if error:
204 raise ExtractorError('Unable to login: %s' % error, expected=True)
e5de3f6c
S
205 raise ExtractorError('Unable to log in')
206
207 def _real_extract(self, url):
810fb84d 208 lecture_id = self._match_id(url)
e5de3f6c 209
328f82d5
S
210 webpage = self._download_webpage(url, lecture_id)
211
81da8cbc 212 course_id, _ = self._extract_course_info(webpage, lecture_id)
e5de3f6c 213
328f82d5
S
214 try:
215 lecture = self._download_lecture(course_id, lecture_id)
216 except ExtractorError as e:
217 # Error could possibly mean we are not enrolled in the course
218 if isinstance(e.cause, compat_HTTPError) and e.cause.code == 403:
ff9d5d09 219 self._enroll_course(url, webpage, course_id)
3092fc40 220 lecture = self._download_lecture(course_id, lecture_id)
328f82d5
S
221 else:
222 raise
223
224 title = lecture['title']
225 description = lecture.get('description')
226
227 asset = lecture['asset']
228
03caa463 229 asset_type = asset.get('asset_type') or asset.get('assetType')
e2937118
S
230 if asset_type != 'Video':
231 raise ExtractorError(
232 'Lecture %s is not a video' % lecture_id, expected=True)
e5de3f6c 233
03caa463 234 stream_url = asset.get('stream_url') or asset.get('streamUrl')
328f82d5
S
235 if stream_url:
236 youtube_url = self._search_regex(
237 r'(https?://www\.youtube\.com/watch\?v=.*)', stream_url, 'youtube URL', default=None)
238 if youtube_url:
239 return self.url_result(youtube_url, 'Youtube')
e5de3f6c 240
0a439c5c 241 video_id = compat_str(asset['id'])
03caa463 242 thumbnail = asset.get('thumbnail_url') or asset.get('thumbnailUrl')
328f82d5 243 duration = float_or_none(asset.get('data', {}).get('duration'))
328f82d5 244
3dfceb28
S
245 subtitles = {}
246 automatic_captions = {}
247
328f82d5 248 formats = []
f0e83681 249
3dfceb28 250 def extract_output_format(src, f_id):
f0e83681 251 return {
b7f87493 252 'url': src.get('url'),
3dfceb28 253 'format_id': '%sp' % (src.get('height') or f_id),
f0e83681
S
254 'width': int_or_none(src.get('width')),
255 'height': int_or_none(src.get('height')),
256 'vbr': int_or_none(src.get('video_bitrate_in_kbps')),
257 'vcodec': src.get('video_codec'),
258 'fps': int_or_none(src.get('frame_rate')),
259 'abr': int_or_none(src.get('audio_bitrate_in_kbps')),
260 'acodec': src.get('audio_codec'),
261 'asr': int_or_none(src.get('audio_sample_rate')),
262 'tbr': int_or_none(src.get('total_bitrate_in_kbps')),
263 'filesize': int_or_none(src.get('file_size_in_bytes')),
328f82d5 264 }
f0e83681
S
265
266 outputs = asset.get('data', {}).get('outputs')
267 if not isinstance(outputs, dict):
268 outputs = {}
269
af4116f4 270 def add_output_format_meta(f, key):
62f55aa6
S
271 output = outputs.get(key)
272 if isinstance(output, dict):
3dfceb28 273 output_format = extract_output_format(output, key)
62f55aa6
S
274 output_format.update(f)
275 return output_format
af4116f4 276 return f
62f55aa6 277
3dfceb28
S
278 def extract_formats(source_list):
279 if not isinstance(source_list, list):
280 return
281 for source in source_list:
3052a30d
S
282 video_url = url_or_none(source.get('file') or source.get('src'))
283 if not video_url:
3dfceb28 284 continue
913b61ee
S
285 if source.get('type') == 'application/x-mpegURL' or determine_ext(video_url) == 'm3u8':
286 formats.extend(self._extract_m3u8_formats(
287 video_url, video_id, 'mp4', entry_protocol='m3u8_native',
288 m3u8_id='hls', fatal=False))
289 continue
3dfceb28
S
290 format_id = source.get('label')
291 f = {
292 'url': video_url,
293 'format_id': '%sp' % format_id,
294 'height': int_or_none(format_id),
295 }
296 if format_id:
297 # Some videos contain additional metadata (e.g.
298 # https://www.udemy.com/ios9-swift/learn/#/lecture/3383208)
299 f = add_output_format_meta(f, format_id)
300 formats.append(f)
301
57a38a38
S
302 def extract_subtitles(track_list):
303 if not isinstance(track_list, list):
304 return
305 for track in track_list:
306 if not isinstance(track, dict):
307 continue
308 if track.get('kind') != 'captions':
309 continue
3052a30d
S
310 src = url_or_none(track.get('src'))
311 if not src:
57a38a38
S
312 continue
313 lang = track.get('language') or track.get(
314 'srclang') or track.get('label')
315 sub_dict = automatic_captions if track.get(
316 'autogenerated') is True else subtitles
317 sub_dict.setdefault(lang, []).append({
318 'url': src,
319 })
320
0ce76801
S
321 for url_kind in ('download', 'stream'):
322 urls = asset.get('%s_urls' % url_kind)
323 if isinstance(urls, dict):
324 extract_formats(urls.get('Video'))
3b35c342 325
2fbd8635
S
326 captions = asset.get('captions')
327 if isinstance(captions, list):
328 for cc in captions:
329 if not isinstance(cc, dict):
330 continue
3052a30d
S
331 cc_url = url_or_none(cc.get('url'))
332 if not cc_url:
2fbd8635
S
333 continue
334 lang = try_get(cc, lambda x: x['locale']['locale'], compat_str)
335 sub_dict = (automatic_captions if cc.get('source') == 'auto'
336 else subtitles)
337 sub_dict.setdefault(lang or 'en', []).append({
338 'url': cc_url,
339 })
340
efcba804
S
341 view_html = lecture.get('view_html')
342 if view_html:
343 view_html_urls = set()
344 for source in re.findall(r'<source[^>]+>', view_html):
345 attributes = extract_attributes(source)
346 src = attributes.get('src')
347 if not src:
348 continue
349 res = attributes.get('data-res')
350 height = int_or_none(res)
351 if src in view_html_urls:
352 continue
353 view_html_urls.add(src)
354 if attributes.get('type') == 'application/x-mpegURL' or determine_ext(src) == 'm3u8':
355 m3u8_formats = self._extract_m3u8_formats(
356 src, video_id, 'mp4', entry_protocol='m3u8_native',
357 m3u8_id='hls', fatal=False)
358 for f in m3u8_formats:
359 m = re.search(r'/hls_(?P<height>\d{3,4})_(?P<tbr>\d{2,})/', f['url'])
360 if m:
361 if not f.get('height'):
362 f['height'] = int(m.group('height'))
363 if not f.get('tbr'):
364 f['tbr'] = int(m.group('tbr'))
365 formats.extend(m3u8_formats)
366 else:
62f55aa6 367 formats.append(add_output_format_meta({
efcba804 368 'url': src,
af4116f4 369 'format_id': '%dp' % height if height else None,
efcba804 370 'height': height,
af4116f4 371 }, res))
efcba804 372
3dfceb28 373 # react rendition since 2017.04.15 (see
067aa17e 374 # https://github.com/ytdl-org/youtube-dl/issues/12744)
3dfceb28
S
375 data = self._parse_json(
376 self._search_regex(
377 r'videojs-setup-data=(["\'])(?P<data>{.+?})\1', view_html,
378 'setup data', default='{}', group='data'), video_id,
379 transform_source=unescapeHTML, fatal=False)
380 if data and isinstance(data, dict):
381 extract_formats(data.get('sources'))
382 if not duration:
383 duration = int_or_none(data.get('duration'))
57a38a38
S
384 extract_subtitles(data.get('tracks'))
385
386 if not subtitles and not automatic_captions:
387 text_tracks = self._parse_json(
388 self._search_regex(
389 r'text-tracks=(["\'])(?P<data>\[.+?\])\1', view_html,
390 'text tracks', default='{}', group='data'), video_id,
391 transform_source=lambda s: js_to_json(unescapeHTML(s)),
392 fatal=False)
393 extract_subtitles(text_tracks)
3dfceb28 394
85139634
S
395 if not formats and outputs:
396 for format_id, output in outputs.items():
397 f = extract_output_format(output, format_id)
398 if f.get('url'):
399 formats.append(f)
400
54f37eea 401 self._sort_formats(formats)
e5de3f6c 402
e5de3f6c
S
403 return {
404 'id': video_id,
405 'title': title,
406 'description': description,
407 'thumbnail': thumbnail,
408 'duration': duration,
3dfceb28
S
409 'formats': formats,
410 'subtitles': subtitles,
411 'automatic_captions': automatic_captions,
e5de3f6c
S
412 }
413
414
415class UdemyCourseIE(UdemyIE):
416 IE_NAME = 'udemy:course'
d7d51389
S
417 _VALID_URL = r'https?://(?:[^/]+\.)?udemy\.com/(?P<id>[^/?#&]+)'
418 _TESTS = [{
419 'url': 'https://www.udemy.com/java-tutorial/',
420 'only_matching': True,
421 }, {
422 'url': 'https://wipro.udemy.com/java-tutorial/',
423 'only_matching': True,
424 }]
e5de3f6c
S
425
426 @classmethod
427 def suitable(cls, url):
428 return False if UdemyIE.suitable(url) else super(UdemyCourseIE, cls).suitable(url)
429
430 def _real_extract(self, url):
328f82d5
S
431 course_path = self._match_id(url)
432
433 webpage = self._download_webpage(url, course_path)
e5de3f6c 434
81da8cbc 435 course_id, title = self._extract_course_info(webpage, course_path)
e5de3f6c 436
ff9d5d09 437 self._enroll_course(url, webpage, course_id)
e5de3f6c 438
6bb46007 439 response = self._download_json(
81da8cbc 440 'https://www.udemy.com/api-2.0/courses/%s/cached-subscriber-curriculum-items' % course_id,
6bb46007 441 course_id, 'Downloading course curriculum', query={
81da8cbc 442 'fields[chapter]': 'title,object_index',
03caa463 443 'fields[lecture]': 'title,asset',
81da8cbc
S
444 'page_size': '1000',
445 })
446
4d402db5 447 entries = []
81da8cbc
S
448 chapter, chapter_number = [None] * 2
449 for entry in response['results']:
450 clazz = entry.get('_class')
451 if clazz == 'lecture':
03caa463
S
452 asset = entry.get('asset')
453 if isinstance(asset, dict):
454 asset_type = asset.get('asset_type') or asset.get('assetType')
455 if asset_type != 'Video':
456 continue
81da8cbc
S
457 lecture_id = entry.get('id')
458 if lecture_id:
4d402db5
S
459 entry = {
460 '_type': 'url_transparent',
b53a06e3 461 'url': 'https://www.udemy.com/%s/learn/v4/t/lecture/%s' % (course_path, entry['id']),
81da8cbc 462 'title': entry.get('title'),
4d402db5
S
463 'ie_key': UdemyIE.ie_key(),
464 }
5bafcf65
S
465 if chapter_number:
466 entry['chapter_number'] = chapter_number
4d402db5
S
467 if chapter:
468 entry['chapter'] = chapter
469 entries.append(entry)
81da8cbc
S
470 elif clazz == 'chapter':
471 chapter_number = entry.get('object_index')
472 chapter = entry.get('title')
e5de3f6c 473
81da8cbc 474 return self.playlist_result(entries, course_id, title)