]> jfr.im git - yt-dlp.git/blame - yt_dlp/extractor/svt.py
[crunchyroll:playlist] Force http
[yt-dlp.git] / yt_dlp / extractor / svt.py
CommitLineData
28f12728 1# coding: utf-8
1309b396
PH
2from __future__ import unicode_literals
3
df5ae3eb
S
4import re
5
1309b396 6from .common import InfoExtractor
8e4d3f83 7from ..compat import compat_str
1309b396
PH
8from ..utils import (
9 determine_ext,
e4f90ea0 10 dict_get,
23bdae09 11 int_or_none,
a0566bbf 12 unified_timestamp,
43e79947 13 str_or_none,
7b393f9c 14 strip_or_none,
23bdae09 15 try_get,
1309b396
PH
16)
17
18
79998cd5 19class SVTBaseIE(InfoExtractor):
4248dad9 20 _GEO_COUNTRIES = ['SE']
6d4c2597 21
23bdae09 22 def _extract_video(self, video_info, video_id):
488ff2dd 23 is_live = dict_get(video_info, ('live', 'simulcast'), default=False)
24 m3u8_protocol = 'm3u8' if is_live else 'm3u8_native'
1309b396
PH
25 formats = []
26 for vr in video_info['videoReferences']:
21d21b0c 27 player_type = vr.get('playerType') or vr.get('format')
1309b396 28 vurl = vr['url']
df5ae3eb
S
29 ext = determine_ext(vurl)
30 if ext == 'm3u8':
1309b396
PH
31 formats.extend(self._extract_m3u8_formats(
32 vurl, video_id,
488ff2dd 33 ext='mp4', entry_protocol=m3u8_protocol,
edfd9351 34 m3u8_id=player_type, fatal=False))
df5ae3eb
S
35 elif ext == 'f4m':
36 formats.extend(self._extract_f4m_formats(
37 vurl + '?hdcore=3.3.0', video_id,
edfd9351 38 f4m_id=player_type, fatal=False))
39 elif ext == 'mpd':
40 if player_type == 'dashhbbtv':
41 formats.extend(self._extract_mpd_formats(
42 vurl, video_id, mpd_id=player_type, fatal=False))
1309b396
PH
43 else:
44 formats.append({
edfd9351 45 'format_id': player_type,
1309b396
PH
46 'url': vurl,
47 })
a0566bbf 48 rights = try_get(video_info, lambda x: x['rights'], dict) or {}
49 if not formats and rights.get('geoBlockedSweden'):
04d906ea 50 self.raise_geo_restricted(
4248dad9 51 'This video is only available in Sweden',
b7da73eb 52 countries=self._GEO_COUNTRIES, metadata_available=True)
1309b396
PH
53 self._sort_formats(formats)
54
1f16b958 55 subtitles = {}
e4f90ea0 56 subtitle_references = dict_get(video_info, ('subtitles', 'subtitleReferences'))
594c4d79
S
57 if isinstance(subtitle_references, list):
58 for sr in subtitle_references:
59 subtitle_url = sr.get('url')
e4f90ea0 60 subtitle_lang = sr.get('language', 'sv')
594c4d79 61 if subtitle_url:
e4f90ea0
YCH
62 if determine_ext(subtitle_url) == 'm3u8':
63 # TODO(yan12125): handle WebVTT in m3u8 manifests
64 continue
65
66 subtitles.setdefault(subtitle_lang, []).append({'url': subtitle_url})
1f16b958 67
23bdae09
S
68 title = video_info.get('title')
69
70 series = video_info.get('programTitle')
71 season_number = int_or_none(video_info.get('season'))
72 episode = video_info.get('episodeTitle')
73 episode_number = int_or_none(video_info.get('episodeNumber'))
74
a0566bbf 75 timestamp = unified_timestamp(rights.get('validFrom'))
23bdae09
S
76 duration = int_or_none(dict_get(video_info, ('materialLength', 'contentDuration')))
77 age_limit = None
78 adult = dict_get(
79 video_info, ('inappropriateForChildren', 'blockedForChildren'),
80 skip_false_values=False)
81 if adult is not None:
82 age_limit = 18 if adult else 0
1309b396
PH
83
84 return {
85 'id': video_id,
23bdae09 86 'title': title,
1309b396 87 'formats': formats,
1f16b958 88 'subtitles': subtitles,
1309b396 89 'duration': duration,
a0566bbf 90 'timestamp': timestamp,
df5ae3eb 91 'age_limit': age_limit,
23bdae09
S
92 'series': series,
93 'season_number': season_number,
94 'episode': episode,
95 'episode_number': episode_number,
488ff2dd 96 'is_live': is_live,
1309b396 97 }
79998cd5
S
98
99
100class SVTIE(SVTBaseIE):
101 _VALID_URL = r'https?://(?:www\.)?svt\.se/wd\?(?:.*?&)?widgetId=(?P<widget_id>\d+)&.*?\barticleId=(?P<id>\d+)'
102 _TEST = {
103 'url': 'http://www.svt.se/wd?widgetId=23991&sectionId=541&articleId=2900353&type=embed&contextSectionId=123&autostart=false',
e4f90ea0 104 'md5': '33e9a5d8f646523ce0868ecfb0eed77d',
79998cd5
S
105 'info_dict': {
106 'id': '2900353',
e4f90ea0
YCH
107 'ext': 'mp4',
108 'title': 'Stjärnorna skojar till det - under SVT-intervjun',
79998cd5
S
109 'duration': 27,
110 'age_limit': 0,
111 },
112 }
113
bab19a8e
S
114 @staticmethod
115 def _extract_url(webpage):
116 mobj = re.search(
117 r'(?:<iframe src|href)="(?P<url>%s[^"]*)"' % SVTIE._VALID_URL, webpage)
118 if mobj:
119 return mobj.group('url')
120
79998cd5
S
121 def _real_extract(self, url):
122 mobj = re.match(self._VALID_URL, url)
123 widget_id = mobj.group('widget_id')
124 article_id = mobj.group('id')
e4f90ea0
YCH
125
126 info = self._download_json(
79998cd5
S
127 'http://www.svt.se/wd?widgetId=%s&articleId=%s&format=json&type=embed&output=json' % (widget_id, article_id),
128 article_id)
129
23bdae09 130 info_dict = self._extract_video(info['video'], article_id)
e4f90ea0
YCH
131 info_dict['title'] = info['context']['title']
132 return info_dict
133
79998cd5 134
1236ac6b
S
135class SVTPlayBaseIE(SVTBaseIE):
136 _SVTPLAY_RE = r'root\s*\[\s*(["\'])_*svtplay\1\s*\]\s*=\s*(?P<json>{.+?})\s*;\s*\n'
137
138
139class SVTPlayIE(SVTPlayBaseIE):
79998cd5 140 IE_DESC = 'SVT Play and Öppet arkiv'
7b393f9c
S
141 _VALID_URL = r'''(?x)
142 (?:
a0566bbf 143 (?:
144 svt:|
145 https?://(?:www\.)?svt\.se/barnkanalen/barnplay/[^/]+/
146 )
147 (?P<svt_id>[^/?#&]+)|
7b393f9c 148 https?://(?:www\.)?(?:svtplay|oppetarkiv)\.se/(?:video|klipp|kanaler)/(?P<id>[^/?#&]+)
41d1cca3 149 (?:.*?(?:modalId|id)=(?P<modal_id>[\da-zA-Z-]+))?
7b393f9c
S
150 )
151 '''
23bdae09 152 _TESTS = [{
421a4595 153 'url': 'https://www.svtplay.se/video/30479064',
a0566bbf 154 'md5': '2382036fd6f8c994856c323fe51c426e',
79998cd5 155 'info_dict': {
421a4595 156 'id': '8zVbDPA',
594c4d79 157 'ext': 'mp4',
421a4595 158 'title': 'Designdrömmar i Stenungsund',
159 'timestamp': 1615770000,
160 'upload_date': '20210315',
161 'duration': 3519,
a0566bbf 162 'thumbnail': r're:^https?://(?:.*[\.-]jpg|www.svtstatic.se/image/.*)$',
79998cd5 163 'age_limit': 0,
594c4d79
S
164 'subtitles': {
165 'sv': [{
a0566bbf 166 'ext': 'vtt',
594c4d79
S
167 }]
168 },
79998cd5 169 },
a0566bbf 170 'params': {
171 'format': 'bestvideo',
172 # skip for now due to download test asserts that segment is > 10000 bytes and svt uses
173 # init segments that are smaller
174 # AssertionError: Expected test_SVTPlay_jNwpV9P.mp4 to be at least 9.77KiB, but it's only 864.00B
175 'skip_download': True,
176 },
421a4595 177 }, {
178 'url': 'https://www.svtplay.se/video/30479064/husdrommar/husdrommar-sasong-8-designdrommar-i-stenungsund?modalId=8zVbDPA',
179 'only_matching': True,
41d1cca3 180 }, {
181 'url': 'https://www.svtplay.se/video/30684086/rapport/rapport-24-apr-18-00-7?id=e72gVpa',
182 'only_matching': True,
23bdae09
S
183 }, {
184 # geo restricted to Sweden
185 'url': 'http://www.oppetarkiv.se/video/5219710/trollflojten',
186 'only_matching': True,
3b34ab53
S
187 }, {
188 'url': 'http://www.svtplay.se/klipp/9023742/stopptid-om-bjorn-borg',
189 'only_matching': True,
488ff2dd 190 }, {
191 'url': 'https://www.svtplay.se/kanaler/svt1',
192 'only_matching': True,
7b393f9c
S
193 }, {
194 'url': 'svt:1376446-003A',
195 'only_matching': True,
196 }, {
197 'url': 'svt:14278044',
198 'only_matching': True,
a0566bbf 199 }, {
200 'url': 'https://www.svt.se/barnkanalen/barnplay/kar/eWv5MLX/',
201 'only_matching': True,
202 }, {
203 'url': 'svt:eWv5MLX',
204 'only_matching': True,
23bdae09 205 }]
e4f90ea0 206
7b393f9c
S
207 def _adjust_title(self, info):
208 if info['is_live']:
209 info['title'] = self._live_title(info['title'])
210
211 def _extract_by_video_id(self, video_id, webpage=None):
212 data = self._download_json(
e6a25fea 213 'https://api.svt.se/videoplayer-api/video/%s' % video_id,
7b393f9c
S
214 video_id, headers=self.geo_verification_headers())
215 info_dict = self._extract_video(data, video_id)
216 if not info_dict.get('title'):
217 title = dict_get(info_dict, ('episode', 'series'))
218 if not title and webpage:
219 title = re.sub(
220 r'\s*\|\s*.+?$', '', self._og_search_title(webpage))
221 if not title:
222 title = video_id
223 info_dict['title'] = title
224 self._adjust_title(info_dict)
225 return info_dict
226
79998cd5 227 def _real_extract(self, url):
7b393f9c 228 mobj = re.match(self._VALID_URL, url)
421a4595 229 video_id = mobj.group('id')
230 svt_id = mobj.group('svt_id') or mobj.group('modal_id')
7b393f9c
S
231
232 if svt_id:
233 return self._extract_by_video_id(svt_id)
e4f90ea0
YCH
234
235 webpage = self._download_webpage(url, video_id)
236
23bdae09
S
237 data = self._parse_json(
238 self._search_regex(
1236ac6b
S
239 self._SVTPLAY_RE, webpage, 'embedded data', default='{}',
240 group='json'),
23bdae09 241 video_id, fatal=False)
e4f90ea0
YCH
242
243 thumbnail = self._og_search_thumbnail(webpage)
244
23bdae09
S
245 if data:
246 video_info = try_get(
247 data, lambda x: x['context']['dispatcher']['stores']['VideoTitlePageStore']['data']['video'],
248 dict)
249 if video_info:
250 info_dict = self._extract_video(video_info, video_id)
251 info_dict.update({
252 'title': data['context']['dispatcher']['stores']['MetaStore']['title'],
253 'thumbnail': thumbnail,
254 })
7b393f9c 255 self._adjust_title(info_dict)
23bdae09
S
256 return info_dict
257
5ed05f26
S
258 svt_id = try_get(
259 data, lambda x: x['statistics']['dataLake']['content']['id'],
260 compat_str)
261
262 if not svt_id:
263 svt_id = self._search_regex(
264 (r'<video[^>]+data-video-id=["\']([\da-zA-Z-]+)',
41d1cca3 265 r'<[^>]+\bdata-rt=["\']top-area-play-button["\'][^>]+\bhref=["\'][^"\']*video/%s/[^"\']*\b(?:modalId|id)=([\da-zA-Z-]+)' % re.escape(video_id),
95c98100 266 r'["\']videoSvtId["\']\s*:\s*["\']([\da-zA-Z-]+)',
2181983a 267 r'["\']videoSvtId\\?["\']\s*:\s*\\?["\']([\da-zA-Z-]+)',
95c98100 268 r'"content"\s*:\s*{.*?"id"\s*:\s*"([\da-zA-Z-]+)"',
2181983a 269 r'["\']svtId["\']\s*:\s*["\']([\da-zA-Z-]+)',
270 r'["\']svtId\\?["\']\s*:\s*\\?["\']([\da-zA-Z-]+)'),
5ed05f26 271 webpage, 'video id')
23bdae09 272
a0566bbf 273 info_dict = self._extract_by_video_id(svt_id, webpage)
274 info_dict['thumbnail'] = thumbnail
275
276 return info_dict
fd97fa7b
MW
277
278
1236ac6b 279class SVTSeriesIE(SVTPlayBaseIE):
8e4d3f83 280 _VALID_URL = r'https?://(?:www\.)?svtplay\.se/(?P<id>[^/?&#]+)(?:.+?\btab=(?P<season_slug>[^&#]+))?'
fd97fa7b
MW
281 _TESTS = [{
282 'url': 'https://www.svtplay.se/rederiet',
283 'info_dict': {
8e4d3f83 284 'id': '14445680',
fd97fa7b 285 'title': 'Rederiet',
8e4d3f83 286 'description': 'md5:d9fdfff17f5d8f73468176ecd2836039',
fd97fa7b
MW
287 },
288 'playlist_mincount': 318,
df146eb2 289 }, {
8e4d3f83 290 'url': 'https://www.svtplay.se/rederiet?tab=season-2-14445680',
df146eb2 291 'info_dict': {
8e4d3f83 292 'id': 'season-2-14445680',
df146eb2 293 'title': 'Rederiet - Säsong 2',
8e4d3f83 294 'description': 'md5:d9fdfff17f5d8f73468176ecd2836039',
df146eb2 295 },
8e4d3f83 296 'playlist_mincount': 12,
fd97fa7b
MW
297 }]
298
299 @classmethod
300 def suitable(cls, url):
b71bb3ba 301 return False if SVTIE.suitable(url) or SVTPlayIE.suitable(url) else super(SVTSeriesIE, cls).suitable(url)
fd97fa7b
MW
302
303 def _real_extract(self, url):
8e4d3f83
RA
304 series_slug, season_id = re.match(self._VALID_URL, url).groups()
305
306 series = self._download_json(
307 'https://api.svt.se/contento/graphql', series_slug,
308 'Downloading series page', query={
309 'query': '''{
310 listablesBySlug(slugs: ["%s"]) {
311 associatedContent(include: [productionPeriod, season]) {
312 items {
313 item {
314 ... on Episode {
315 videoSvtId
316 }
317 }
318 }
319 id
320 name
321 }
322 id
323 longDescription
324 name
325 shortDescription
326 }
327}''' % series_slug,
328 })['data']['listablesBySlug'][0]
df146eb2
S
329
330 season_name = None
fd97fa7b
MW
331
332 entries = []
8e4d3f83 333 for season in series['associatedContent']:
df146eb2
S
334 if not isinstance(season, dict):
335 continue
8e4d3f83
RA
336 if season_id:
337 if season.get('id') != season_id:
df146eb2
S
338 continue
339 season_name = season.get('name')
8e4d3f83
RA
340 items = season.get('items')
341 if not isinstance(items, list):
fd97fa7b 342 continue
8e4d3f83
RA
343 for item in items:
344 video = item.get('item') or {}
345 content_id = video.get('videoSvtId')
346 if not content_id or not isinstance(content_id, compat_str):
fd97fa7b 347 continue
8e4d3f83
RA
348 entries.append(self.url_result(
349 'svt:' + content_id, SVTPlayIE.ie_key(), content_id))
b71bb3ba 350
8e4d3f83
RA
351 title = series.get('name')
352 season_name = season_name or season_id
df146eb2
S
353
354 if title and season_name:
355 title = '%s - %s' % (title, season_name)
8e4d3f83
RA
356 elif season_id:
357 title = season_id
df146eb2 358
fd97fa7b 359 return self.playlist_result(
8e4d3f83
RA
360 entries, season_id or series.get('id'), title,
361 dict_get(series, ('longDescription', 'shortDescription')))
7b393f9c
S
362
363
364class SVTPageIE(InfoExtractor):
43e79947 365 _VALID_URL = r'https?://(?:www\.)?svt\.se/(?P<path>(?:[^/]+/)*(?P<id>[^/?&#]+))'
7b393f9c 366 _TESTS = [{
43e79947 367 'url': 'https://www.svt.se/sport/ishockey/bakom-masken-lehners-kamp-mot-mental-ohalsa',
7b393f9c 368 'info_dict': {
43e79947
RA
369 'id': '25298267',
370 'title': 'Bakom masken – Lehners kamp mot mental ohälsa',
7b393f9c 371 },
43e79947 372 'playlist_count': 4,
7b393f9c 373 }, {
43e79947 374 'url': 'https://www.svt.se/nyheter/utrikes/svenska-andrea-ar-en-mil-fran-branderna-i-kalifornien',
7b393f9c 375 'info_dict': {
43e79947
RA
376 'id': '24243746',
377 'title': 'Svenska Andrea redo att fly sitt hem i Kalifornien',
7b393f9c 378 },
43e79947 379 'playlist_count': 2,
7b393f9c
S
380 }, {
381 # only programTitle
382 'url': 'http://www.svt.se/sport/ishockey/jagr-tacklar-giroux-under-intervjun',
383 'info_dict': {
43e79947 384 'id': '8439V2K',
7b393f9c
S
385 'ext': 'mp4',
386 'title': 'Stjärnorna skojar till det - under SVT-intervjun',
387 'duration': 27,
388 'age_limit': 0,
389 },
390 }, {
391 'url': 'https://www.svt.se/nyheter/lokalt/vast/svt-testar-tar-nagon-upp-skrapet-1',
392 'only_matching': True,
393 }, {
394 'url': 'https://www.svt.se/vader/manadskronikor/maj2018',
395 'only_matching': True,
396 }]
397
398 @classmethod
399 def suitable(cls, url):
a0566bbf 400 return False if SVTIE.suitable(url) or SVTPlayIE.suitable(url) else super(SVTPageIE, cls).suitable(url)
7b393f9c
S
401
402 def _real_extract(self, url):
43e79947 403 path, display_id = re.match(self._VALID_URL, url).groups()
7b393f9c 404
43e79947
RA
405 article = self._download_json(
406 'https://api.svt.se/nss-api/page/' + path, display_id,
407 query={'q': 'articles'})['articles']['content'][0]
7b393f9c 408
43e79947 409 entries = []
7b393f9c 410
43e79947
RA
411 def _process_content(content):
412 if content.get('_type') in ('VIDEOCLIP', 'VIDEOEPISODE'):
413 video_id = compat_str(content['image']['svtId'])
414 entries.append(self.url_result(
415 'svt:' + video_id, SVTPlayIE.ie_key(), video_id))
7b393f9c 416
43e79947
RA
417 for media in article.get('media', []):
418 _process_content(media)
419
420 for obj in article.get('structuredBody', []):
421 _process_content(obj.get('content') or {})
422
423 return self.playlist_result(
424 entries, str_or_none(article.get('id')),
425 strip_or_none(article.get('title')))