123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323 |
- import re
- from .common import InfoExtractor
- from ..utils import (
- clean_html,
- determine_ext,
- int_or_none,
- js_to_json,
- qualities,
- traverse_obj,
- unified_strdate,
- url_or_none,
- )
- class NovaEmbedIE(InfoExtractor):
- _VALID_URL = r'https?://media\.cms\.nova\.cz/embed/(?P<id>[^/?#&]+)'
- _TESTS = [{
- 'url': 'https://media.cms.nova.cz/embed/8o0n0r?autoplay=1',
- 'info_dict': {
- 'id': '8o0n0r',
- 'title': '2180. díl',
- 'thumbnail': r're:^https?://.*\.jpg',
- 'duration': 2578,
- },
- 'params': {
- 'skip_download': True,
- 'ignore_no_formats_error': True,
- },
- 'expected_warnings': ['DRM protected', 'Requested format is not available'],
- }, {
- 'url': 'https://media.cms.nova.cz/embed/KybpWYvcgOa',
- 'info_dict': {
- 'id': 'KybpWYvcgOa',
- 'ext': 'mp4',
- 'title': 'Borhyová oslavila 60? Soutěžící z pořadu odboural moderátora Ondřeje Sokola',
- 'thumbnail': r're:^https?://.*\.jpg',
- 'duration': 114,
- },
- 'params': {'skip_download': 'm3u8'},
- }]
- def _real_extract(self, url):
- video_id = self._match_id(url)
- webpage = self._download_webpage(url, video_id)
- has_drm = False
- duration = None
- formats = []
- player = self._parse_json(
- self._search_regex(
- (r'(?:(?:replacePlaceholders|processAdTagModifier).*?:\s*)?(?:replacePlaceholders|processAdTagModifier)\s*\(\s*(?P<json>{.*?})\s*\)(?:\s*\))?\s*,',
- r'Player\.init\s*\([^,]+,(?P<cndn>\s*\w+\s*\?)?\s*(?P<json>{(?(cndn).+?|.+)})\s*(?(cndn):|,\s*{.+?}\s*\)\s*;)'),
- webpage, 'player', default='{}', group='json'), video_id, fatal=False)
- if player:
- for format_id, format_list in player['tracks'].items():
- if not isinstance(format_list, list):
- format_list = [format_list]
- for format_dict in format_list:
- if not isinstance(format_dict, dict):
- continue
- if (not self.get_param('allow_unplayable_formats')
- and traverse_obj(format_dict, ('drm', 'keySystem'))):
- has_drm = True
- continue
- format_url = url_or_none(format_dict.get('src'))
- format_type = format_dict.get('type')
- ext = determine_ext(format_url)
- if (format_type == 'application/x-mpegURL'
- or format_id == 'HLS' or ext == 'm3u8'):
- formats.extend(self._extract_m3u8_formats(
- format_url, video_id, 'mp4',
- entry_protocol='m3u8_native', m3u8_id='hls',
- fatal=False))
- elif (format_type == 'application/dash+xml'
- or format_id == 'DASH' or ext == 'mpd'):
- formats.extend(self._extract_mpd_formats(
- format_url, video_id, mpd_id='dash', fatal=False))
- else:
- formats.append({
- 'url': format_url,
- })
- duration = int_or_none(player.get('duration'))
- else:
- # Old path, not actual as of 08.04.2020
- bitrates = self._parse_json(
- self._search_regex(
- r'(?s)(?:src|bitrates)\s*=\s*({.+?})\s*;', webpage, 'formats'),
- video_id, transform_source=js_to_json)
- QUALITIES = ('lq', 'mq', 'hq', 'hd')
- quality_key = qualities(QUALITIES)
- for format_id, format_list in bitrates.items():
- if not isinstance(format_list, list):
- format_list = [format_list]
- for format_url in format_list:
- format_url = url_or_none(format_url)
- if not format_url:
- continue
- if format_id == 'hls':
- formats.extend(self._extract_m3u8_formats(
- format_url, video_id, ext='mp4',
- entry_protocol='m3u8_native', m3u8_id='hls',
- fatal=False))
- continue
- f = {
- 'url': format_url,
- }
- f_id = format_id
- for quality in QUALITIES:
- if '%s.mp4' % quality in format_url:
- f_id += '-%s' % quality
- f.update({
- 'quality': quality_key(quality),
- 'format_note': quality.upper(),
- })
- break
- f['format_id'] = f_id
- formats.append(f)
- if not formats and has_drm:
- self.report_drm(video_id)
- title = self._og_search_title(
- webpage, default=None) or self._search_regex(
- (r'<value>(?P<title>[^<]+)',
- r'videoTitle\s*:\s*(["\'])(?P<value>(?:(?!\1).)+)\1'), webpage,
- 'title', group='value')
- thumbnail = self._og_search_thumbnail(
- webpage, default=None) or self._search_regex(
- r'poster\s*:\s*(["\'])(?P<value>(?:(?!\1).)+)\1', webpage,
- 'thumbnail', fatal=False, group='value')
- duration = int_or_none(self._search_regex(
- r'videoDuration\s*:\s*(\d+)', webpage, 'duration',
- default=duration))
- return {
- 'id': video_id,
- 'title': title,
- 'thumbnail': thumbnail,
- 'duration': duration,
- 'formats': formats,
- }
- class NovaIE(InfoExtractor):
- IE_DESC = 'TN.cz, Prásk.tv, Nova.cz, Novaplus.cz, FANDA.tv, Krásná.cz and Doma.cz'
- _VALID_URL = r'https?://(?:[^.]+\.)?(?P<site>tv(?:noviny)?|tn|novaplus|vymena|fanda|krasna|doma|prask)\.nova\.cz/(?:[^/]+/)+(?P<id>[^/]+?)(?:\.html|/|$)'
- _TESTS = [{
- 'url': 'http://tn.nova.cz/clanek/tajemstvi-ukryte-v-podzemi-specialni-nemocnice-v-prazske-krci.html#player_13260',
- 'md5': '249baab7d0104e186e78b0899c7d5f28',
- 'info_dict': {
- 'id': '1757139',
- 'display_id': 'tajemstvi-ukryte-v-podzemi-specialni-nemocnice-v-prazske-krci',
- 'ext': 'mp4',
- 'title': 'Podzemní nemocnice v pražské Krči',
- 'description': 'md5:f0a42dd239c26f61c28f19e62d20ef53',
- 'thumbnail': r're:^https?://.*\.(?:jpg)',
- }
- }, {
- 'url': 'http://fanda.nova.cz/clanek/fun-and-games/krvavy-epos-zaklinac-3-divoky-hon-vychazi-vyhrajte-ho-pro-sebe.html',
- 'info_dict': {
- 'id': '1753621',
- 'ext': 'mp4',
- 'title': 'Zaklínač 3: Divoký hon',
- 'description': 're:.*Pokud se stejně jako my nemůžete.*',
- 'thumbnail': r're:https?://.*\.jpg(\?.*)?',
- 'upload_date': '20150521',
- },
- 'params': {
- # rtmp download
- 'skip_download': True,
- },
- 'skip': 'gone',
- }, {
- # media.cms.nova.cz embed
- 'url': 'https://novaplus.nova.cz/porad/ulice/epizoda/18760-2180-dil',
- 'info_dict': {
- 'id': '8o0n0r',
- 'ext': 'mp4',
- 'title': '2180. díl',
- 'thumbnail': r're:^https?://.*\.jpg',
- 'duration': 2578,
- },
- 'params': {
- 'skip_download': True,
- },
- 'add_ie': [NovaEmbedIE.ie_key()],
- 'skip': 'CHYBA 404: STRÁNKA NENALEZENA',
- }, {
- 'url': 'http://sport.tn.nova.cz/clanek/sport/hokej/nhl/zivot-jde-dal-hodnotil-po-vyrazeni-z-playoff-jiri-sekac.html',
- 'only_matching': True,
- }, {
- 'url': 'http://fanda.nova.cz/clanek/fun-and-games/krvavy-epos-zaklinac-3-divoky-hon-vychazi-vyhrajte-ho-pro-sebe.html',
- 'only_matching': True,
- }, {
- 'url': 'http://doma.nova.cz/clanek/zdravi/prijdte-se-zapsat-do-registru-kostni-drene-jiz-ve-stredu-3-cervna.html',
- 'only_matching': True,
- }, {
- 'url': 'http://prask.nova.cz/clanek/novinky/co-si-na-sobe-nase-hvezdy-nechaly-pojistit.html',
- 'only_matching': True,
- }, {
- 'url': 'http://tv.nova.cz/clanek/novinky/zivot-je-zivot-bondovsky-trailer.html',
- 'only_matching': True,
- }]
- def _real_extract(self, url):
- mobj = self._match_valid_url(url)
- display_id = mobj.group('id')
- site = mobj.group('site')
- webpage = self._download_webpage(url, display_id)
- description = clean_html(self._og_search_description(webpage, default=None))
- if site == 'novaplus':
- upload_date = unified_strdate(self._search_regex(
- r'(\d{1,2}-\d{1,2}-\d{4})$', display_id, 'upload date', default=None))
- elif site == 'fanda':
- upload_date = unified_strdate(self._search_regex(
- r'<span class="date_time">(\d{1,2}\.\d{1,2}\.\d{4})', webpage, 'upload date', default=None))
- else:
- upload_date = None
- # novaplus
- embed_id = self._search_regex(
- r'<iframe[^>]+\bsrc=["\'](?:https?:)?//media\.cms\.nova\.cz/embed/([^/?#&]+)',
- webpage, 'embed url', default=None)
- if embed_id:
- return {
- '_type': 'url_transparent',
- 'url': 'https://media.cms.nova.cz/embed/%s' % embed_id,
- 'ie_key': NovaEmbedIE.ie_key(),
- 'id': embed_id,
- 'description': description,
- 'upload_date': upload_date
- }
- video_id = self._search_regex(
- [r"(?:media|video_id)\s*:\s*'(\d+)'",
- r'media=(\d+)',
- r'id="article_video_(\d+)"',
- r'id="player_(\d+)"'],
- webpage, 'video id')
- config_url = self._search_regex(
- r'src="(https?://(?:tn|api)\.nova\.cz/bin/player/videojs/config\.php\?[^"]+)"',
- webpage, 'config url', default=None)
- config_params = {}
- if not config_url:
- player = self._parse_json(
- self._search_regex(
- r'(?s)Player\s*\(.+?\s*,\s*({.+?\bmedia\b["\']?\s*:\s*["\']?\d+.+?})\s*\)', webpage,
- 'player', default='{}'),
- video_id, transform_source=js_to_json, fatal=False)
- if player:
- config_url = url_or_none(player.get('configUrl'))
- params = player.get('configParams')
- if isinstance(params, dict):
- config_params = params
- if not config_url:
- DEFAULT_SITE_ID = '23000'
- SITES = {
- 'tvnoviny': DEFAULT_SITE_ID,
- 'novaplus': DEFAULT_SITE_ID,
- 'vymena': DEFAULT_SITE_ID,
- 'krasna': DEFAULT_SITE_ID,
- 'fanda': '30',
- 'tn': '30',
- 'doma': '30',
- }
- site_id = self._search_regex(
- r'site=(\d+)', webpage, 'site id', default=None) or SITES.get(
- site, DEFAULT_SITE_ID)
- config_url = 'https://api.nova.cz/bin/player/videojs/config.php'
- config_params = {
- 'site': site_id,
- 'media': video_id,
- 'quality': 3,
- 'version': 1,
- }
- config = self._download_json(
- config_url, display_id,
- 'Downloading config JSON', query=config_params,
- transform_source=lambda s: s[s.index('{'):s.rindex('}') + 1])
- mediafile = config['mediafile']
- video_url = mediafile['src']
- m = re.search(r'^(?P<url>rtmpe?://[^/]+/(?P<app>[^/]+?))/&*(?P<playpath>.+)$', video_url)
- if m:
- formats = [{
- 'url': m.group('url'),
- 'app': m.group('app'),
- 'play_path': m.group('playpath'),
- 'player_path': 'http://tvnoviny.nova.cz/static/shared/app/videojs/video-js.swf',
- 'ext': 'flv',
- }]
- else:
- formats = [{
- 'url': video_url,
- }]
- title = mediafile.get('meta', {}).get('title') or self._og_search_title(webpage)
- thumbnail = config.get('poster')
- return {
- 'id': video_id,
- 'display_id': display_id,
- 'title': title,
- 'description': description,
- 'upload_date': upload_date,
- 'thumbnail': thumbnail,
- 'formats': formats,
- }
|