]> jfr.im git - yt-dlp.git/blob - yt_dlp/extractor/hidive.py
18ae4d37923408095ed36360704ae64db9912753
[yt-dlp.git] / yt_dlp / extractor / hidive.py
1 # coding: utf-8
2 import re
3
4 from .common import InfoExtractor
5 from ..utils import (
6 ExtractorError,
7 int_or_none,
8 try_get,
9 url_or_none,
10 urlencode_postdata,
11 )
12
13
14 class HiDiveIE(InfoExtractor):
15 _VALID_URL = r'https?://(?:www\.)?hidive\.com/stream/(?P<id>(?P<title>[^/]+)/(?P<key>[^/?#&]+))'
16 # Using X-Forwarded-For results in 403 HTTP error for HLS fragments,
17 # so disabling geo bypass completely
18 _GEO_BYPASS = False
19 _NETRC_MACHINE = 'hidive'
20 _LOGIN_URL = 'https://www.hidive.com/account/login'
21
22 _TESTS = [{
23 'url': 'https://www.hidive.com/stream/the-comic-artist-and-his-assistants/s01e001',
24 'info_dict': {
25 'id': 'the-comic-artist-and-his-assistants/s01e001',
26 'ext': 'mp4',
27 'title': 'the-comic-artist-and-his-assistants/s01e001',
28 'series': 'the-comic-artist-and-his-assistants',
29 'season_number': 1,
30 'episode_number': 1,
31 },
32 'params': {
33 'skip_download': True,
34 },
35 'skip': 'Requires Authentication',
36 }]
37
38 def _real_initialize(self):
39 email, password = self._get_login_info()
40 if email is None:
41 return
42
43 webpage = self._download_webpage(self._LOGIN_URL, None)
44 form = self._search_regex(
45 r'(?s)<form[^>]+action="/account/login"[^>]*>(.+?)</form>',
46 webpage, 'login form')
47 data = self._hidden_inputs(form)
48 data.update({
49 'Email': email,
50 'Password': password,
51 })
52 self._download_webpage(
53 self._LOGIN_URL, None, 'Logging in', data=urlencode_postdata(data))
54
55 def _call_api(self, video_id, title, key, data={}, **kwargs):
56 data = {
57 **data,
58 'Title': title,
59 'Key': key,
60 'PlayerId': 'f4f895ce1ca713ba263b91caeb1daa2d08904783',
61 }
62 return self._download_json(
63 'https://www.hidive.com/play/settings', video_id,
64 data=urlencode_postdata(data), **kwargs) or {}
65
66 def _extract_subtitles_from_rendition(self, rendition, subtitles, parsed_urls):
67 for cc_file in rendition.get('ccFiles', []):
68 cc_url = url_or_none(try_get(cc_file, lambda x: x[2]))
69 # name is used since we cant distinguish subs with same language code
70 cc_lang = try_get(cc_file, (lambda x: x[1].replace(' ', '-').lower(), lambda x: x[0]), str)
71 if cc_url not in parsed_urls and cc_lang:
72 parsed_urls.add(cc_url)
73 subtitles.setdefault(cc_lang, []).append({'url': cc_url})
74
75 def _get_subtitles(self, url, video_id, title, key, subtitles, parsed_urls):
76 webpage = self._download_webpage(url, video_id, fatal=False) or ''
77 for caption in set(re.findall(r'data-captions=\"([^\"]+)\"', webpage)):
78 renditions = self._call_api(
79 video_id, title, key, {'Captions': caption}, fatal=False,
80 note=f'Downloading {caption} subtitle information').get('renditions') or {}
81 for rendition_id, rendition in renditions.items():
82 self._extract_subtitles_from_rendition(rendition, subtitles, parsed_urls)
83 return subtitles
84
85 def _real_extract(self, url):
86 video_id, title, key = self._match_valid_url(url).group('id', 'title', 'key')
87 settings = self._call_api(video_id, title, key)
88
89 restriction = settings.get('restrictionReason')
90 if restriction == 'RegionRestricted':
91 self.raise_geo_restricted()
92 if restriction and restriction != 'None':
93 raise ExtractorError(
94 '%s said: %s' % (self.IE_NAME, restriction), expected=True)
95
96 formats, subtitles, parsed_urls = [], {}, {None}
97 for rendition_id, rendition in settings['renditions'].items():
98 audio, version, extra = rendition_id.split('_')
99 m3u8_url = url_or_none(try_get(rendition, lambda x: x['bitrates']['hls']))
100 if m3u8_url not in parsed_urls:
101 parsed_urls.add(m3u8_url)
102 frmt = self._extract_m3u8_formats(
103 m3u8_url, video_id, 'mp4', entry_protocol='m3u8_native', m3u8_id=rendition_id, fatal=False)
104 for f in frmt:
105 f['language'] = audio
106 f['format_note'] = f'{version}, {extra}'
107 formats.extend(frmt)
108
109 self._extract_subtitles_from_rendition(rendition, subtitles, parsed_urls)
110 self._sort_formats(formats)
111
112 return {
113 'id': video_id,
114 'title': video_id,
115 'subtitles': self.extract_subtitles(url, video_id, title, key, subtitles, parsed_urls),
116 'formats': formats,
117 'series': title,
118 'season_number': int_or_none(
119 self._search_regex(r's(\d+)', key, 'season number', default=None)),
120 'episode_number': int_or_none(
121 self._search_regex(r'e(\d+)', key, 'episode number', default=None)),
122 'http_headers': {'Referer': url}
123 }