]> git.gir.st - subscriptionfeed.git/blob - app/youtube/__init__.py
support /live/ urls
[subscriptionfeed.git] / app / youtube / __init__.py
1 import re
2 import time
3 import sqlite3
4 import requests
5 from urllib.parse import urlparse
6 #from flask_login import current_user, login_required
7 from flask_login import LoginManager, UserMixin, current_user, login_user, logout_user, login_required
8 from flask import Blueprint, render_template, request, redirect, flash, url_for, jsonify, g, current_app
9 from werkzeug.exceptions import NotFound, BadGateway
10
11 from ..common.common import *
12 from ..common.anticaptcha import submit_captcha
13 from .lib import *
14
15 frontend = Blueprint('youtube', __name__,
16 template_folder='templates',
17 static_folder='static',
18 static_url_path='/static/yt')
19
20 @frontend.route('/')
21 def index():
22 return redirect(url_for('.feed'), code=302)
23
24 @frontend.route('/feed/subscriptions')
25 # disabled for guest user: @login_required
26 def feed():
27 if current_user.is_anonymous:
28 token = 'guest'
29 if 'welcome_message' in cf['frontend']:
30 flash(cf['frontend']['welcome_message'], "welcome")
31 else:
32 token = current_user.token
33 page = request.args.get('page', 0, type=int)
34 with sqlite3.connect(cf['global']['database']) as conn:
35 c = conn.cursor()
36 c.execute("""
37 SELECT videos.id, channel_id, name, title, length, livestream, premiere, published, playlist_videos.playlist_id, display
38 FROM videos
39 JOIN channels ON videos.channel_id = channels.id
40 LEFT JOIN playlist_videos ON (videos.id = playlist_videos.video_id)
41 LEFT JOIN flags ON (videos.id = flags.video_id) AND (flags.user = ?)
42 WHERE (channel_id IN (SELECT channel_id FROM subscriptions WHERE user=? AND type = 'channel')
43 OR playlist_videos.playlist_id IN (SELECT channel_id FROM subscriptions WHERE user=? AND type = 'playlist')
44 OR flags.display = 'pinned')
45 AND flags.display IS NOT 'hidden'
46 ORDER BY (display = 'pinned') DESC, crawled DESC
47 LIMIT 36
48 OFFSET 36*?""", (token, token, token, page))
49 rows = [{
50 'video_id': video_id,
51 'channel_id': channel_id,
52 'author': author,
53 'title': title,
54 'length': length,
55 'livestream': livestream,
56 'premiere': premiere and (# only if it hasn't yet premiered:
57 datetime.strptime(published+'+0000', "%Y-%m-%d %H:%M:%S%z")>datetime.now(tz=timezone.utc)
58 ),
59 'published': published,
60 'playlist': playlist,
61 'pinned': display == 'pinned',
62 } for (video_id, channel_id, author, title, length, livestream, premiere, published, playlist, display) in c.fetchall()]
63 return render_template('index.html.j2', rows=rows, page=page)
64
65 @frontend.route('/watch')
66 def watch():
67 if current_user.is_anonymous:
68 token = 'guest'
69 else:
70 token = current_user.token
71
72 if not 'v' in request.args:
73 return "missing video id", 400
74 if len(request.args.get('v')) != 11:
75 return "malformed video id", 400
76
77 plaintextheaders = {
78 'content-type': 'text/plain',
79 'Link': "<data:text/css,body%7Bcolor:%23eee;background:%23333%7D>; rel=stylesheet;"
80 }
81
82 video_id = request.args.get('v')
83 show = request.args.get("show")
84 itag = request.args.get("itag")
85 video_url, stream_map, metadata, error, errdetails = get_video_info(video_id, metaOnly=(show == 'meta'))
86
87 if itag: # if itag is specified and available, force its use even if not highest resolution
88 video_url = next((e['url'] for e in stream_map['muxed'] if e['itag'] == int(itag)), video_url)
89
90 proxy_on = getattr(g, 'proxy_on', None)
91 proxy_msg = {
92 False: "Log in to use proxy.", # proxy for logged-in users only
93 None: "", # proxy disabled globally
94 True: "", # proxy is available to this user
95 }[proxy_on]
96 extra = {'geolocked':'local=1', 'livestream':'raw=0'}.get(error,'')
97 invidious_url = f"https://invidious.snopyta.org/watch?v={video_id}&{extra}"
98 errdetails = {
99 'banned': "Instance is being rate limited.",
100 'malformed': "Video ID is invalid.",
101 'geolocked': f"This video is geolocked. {proxy_msg}",
102 'livestream': f"Livestreams disabled. {proxy_msg}",
103 'agegated': "Unable to bypass age-restriction.",
104 'no-url': "No muxed stream available.",
105 'exhausted': errdetails or "Couldn't extract video URLs.",
106 'player': errdetails,
107 }.get(error, error)
108
109 # if the video is geolocked, and the proxy is enabled, we can still play
110 # it, if the video is available in the instance server's region:
111 if error == 'geolocked' and video_url and proxy_on:
112 videoplayback = url_for('proxy.videoplayback')
113 query = urlparse(video_url).query
114 video_url = f"{videoplayback}?{query}"
115 for t in ('adaptive_video', 'adaptive_audio', 'muxed'):
116 for s in stream_map[t]:
117 query = urlparse(s['url']).query
118 s['url'] = f"{videoplayback}?{query}"
119 error = None
120
121 # if the proxy is enabled, we can also play livestreams:
122 if error == 'livestream' and proxy_on:
123 # Note: hlsManifestUrl's hostname will be replaced client-side
124 video_url = stream_map['hlsManifestUrl']
125 error = None
126
127 # if the instance is blocked, try submitting a job to the anti captcha service:
128 if error == 'banned' and cf['captcha']['api_key']:
129 r2 = requests.get(f'https://www.youtube.com/watch?v={video_id}&hl=en&gl=US')
130 status = submit_captcha(r2)
131 if status is False:
132 raise Exception("we are banned, but captcha wasn't triggered!")
133 else:
134 message = "right now" if status is True else f"{int(status)} seconds ago"
135 raise BadGateway(f"""
136 {errdetails} An attempt at getting unblocked has been made {message}.
137 Please try again in 30 seconds.
138 """)
139
140 if show == "raw":
141 if error:
142 msg = errdetails if error=='player' else f"{error.upper()}: {errdetails}"
143 return f"{msg}\n\nRedirecting to Invidious.", 502, {
144 'Refresh': f'2; URL={invidious_url}&raw=1',
145 **plaintextheaders}
146 return redirect(video_url, code=307)
147 elif show == "json":
148 if error and not metadata:
149 return {'error': True, error: errdetails}, 400 # TODO: better (test _CpR4o81XQc)
150 return jsonify(metadata)
151 elif show == "audio":
152 # sorting: we want to prioritize mp4a over opus, and sort by highest quality first
153 # todo: geolocking; prefer open format?
154 if error and not stream_map:
155 msg = errdetails if error=='player' else f"{error.upper()}: {errdetails}"
156 return msg, 400, plaintextheaders # TODO: nicer
157 stream = next(iter(sorted(
158 stream_map['adaptive_audio'],
159 key=lambda e: ('opus' not in e['mimeType'], e['bitrate']),
160 reverse=True
161 )),{}).get('url')
162 return redirect(stream)
163 elif show == "meta":
164 # this is the subset of (useful) keys that are not present in the
165 # Android API response. the special key '_' contains ready-to-use
166 # parsed versions of that data.
167 if error and not metadata:
168 return {'error': True, error: errdetails}, 400 # TODO: better (test _CpR4o81XQc)
169 parsed = microformat_parser(metadata)
170 return {'microformat': metadata.get('microformat'),'cards':metadata.get('cards'), '_':parsed}
171 else:
172 if error and not metadata: # e.g. malformed, private/deleted video, ...
173 return render_template('video-error.html.j2', video_id=video_id,
174 video_error=error, errdetails=errdetails, invidious_url=invidious_url)
175 meta = prepare_metadata(metadata)
176 with sqlite3.connect(cf['global']['database']) as conn:
177 c = conn.cursor()
178 c.execute("""
179 SELECT COUNT((
180 SELECT 1 FROM subscriptions WHERE channel_id = ? AND user = ?
181 )), COUNT((
182 SELECT 1 FROM flags WHERE video_id = ? AND display = 'pinned' AND user = ?
183 ))""", (meta['channel_id'], token, video_id, token))
184 (is_subscribed, is_pinned) = c.fetchone()
185 return render_template('watch.html.j2',
186 video_id=video_id, video_url=video_url, stream_map=stream_map,
187 video_error=error, errdetails=errdetails, invidious_url=invidious_url,
188 is_pinned=is_pinned, is_subscribed=is_subscribed,
189 **meta)
190
191 @frontend.route('/embed/videoseries')
192 def embed_videoseries():
193 return redirect(url_for('.playlist', list=request.args.get('list')))
194 @frontend.route('/embed/<video_id>', strict_slashes=False)
195 def embed(video_id):
196 if video_id == "videoseries":
197 return redirect(url_for('.playlist', list=request.args.get('list')))
198
199 return redirect(url_for('.watch', v=video_id, t=request.args.get('start')))
200
201 @frontend.route('/live/<video_id>', strict_slashes=False)
202 @frontend.route('/shorts/<video_id>', strict_slashes=False)
203 def shorts_or_live(video_id):
204 return redirect(url_for('.watch', v=video_id, t=request.args.get('start')))
205
206 @frontend.route('/<something>', strict_slashes=False)
207 def plain_user_or_video(something):
208 # yt.com interprets this as a username, but we also want to catch youtu.be
209 # short-urls. so we check if it's a channel by querying the RSS feed (this
210 # shoudn't be rate-limited); if that fails, check if it looks like a video
211 # id; or finally give up.
212 if '.' not in something and channel_exists(something):
213 # periods are not valid in usernames, vanity urls or ucids, but common
214 # in urls that get crawled by bots (e.g. index.php). failing early
215 # reduces the amount of invalid channel names getting looked up.
216 return redirect(url_for('.channel', channel_id=something))
217 elif re.match(r"^[-_0-9A-Za-z]{11}$", something): # looks like a video id
218 return redirect(url_for('.watch', v=something, t=request.args.get('t')))
219 else: # ¯\_(ツ)_/¯
220 # XXX: something == 'thethoughtemporium' -> 404s
221 raise NotFound("Note: some usernames not recognized; try searching it")
222
223 @frontend.route('/c/<channel_id>/<subpage>')
224 @frontend.route('/c/<channel_id>/')
225 @frontend.route('/user/<channel_id>/<subpage>')
226 @frontend.route('/user/<channel_id>/')
227 def channel_redirect(channel_id, subpage=None):
228 # Note: we can't check /c/, so we have to assume it is the same as /user/,
229 # which is sometimes wrong.
230 xmlfeed = fetch_xml("user", channel_id)
231
232 if not xmlfeed:
233 raise NotFound("unknown channel name")
234
235 _, _, _, channel_id, _ = parse_xml(xmlfeed)
236
237 return redirect(url_for('.channel', channel_id=channel_id))
238
239 @frontend.route('/channel/<channel_id>/<subpage>')
240 @frontend.route('/channel/<channel_id>/')
241 def channel(channel_id, _=None):
242 token = getattr(current_user, 'token', 'guest')
243 sort = request.args.get("sort", "newest")
244
245 if not re.match(r"(UC[A-Za-z0-9_-]{22})", channel_id):
246 # canonicalize channel id, otherwise popular won't work
247 return redirect(url_for('.channel_redirect', channel_id=channel_id))
248
249 if sort == "popular":
250 xmlfeed = fetch_xml("playlist_id", f"PU{channel_id[2:]}")
251 else:
252 xmlfeed = fetch_xml("channel_id", channel_id)
253 #^note: could also use playlist_id=UU...
254
255 if not xmlfeed:
256 raise NotFound("unknown channel id")
257
258 title, author, videos, channel_id, _ = parse_xml(xmlfeed)
259
260 with sqlite3.connect(cf['global']['database']) as conn:
261 c = conn.cursor()
262 c.execute("""
263 SELECT COUNT(*)
264 FROM subscriptions
265 WHERE channel_id = ? AND user = ?
266 """, (channel_id, token))
267 (is_subscribed,) = c.fetchone()
268
269 return render_template('xmlfeed.html.j2', title=author, rows=videos,
270 is_subscribed=is_subscribed, channel_id=channel_id)
271
272 @frontend.route('/playlist')
273 def playlist():
274 playlist_id = request.args.get('list')
275 if not playlist_id:
276 return "bad list id", 400 # todo
277
278 xmlfeed = fetch_xml("playlist_id", playlist_id)
279 if not xmlfeed:
280 return "not found or something", 404 # XXX
281 title, author, videos, _, _ = parse_xml(xmlfeed)
282 return render_template('xmlfeed.html.j2', title=f"{title} by {author}", rows=videos)
283
284 @frontend.route('/api/timedtext')
285 def timedtext():
286 r = requests.get("https://www.youtube.com/api/timedtext", request.args.to_dict())
287 # Note: in srv1 format, xmlentities are double-encoded m( a smart quote is
288 # even worse: it's '&amp;39;<smartquote>' wtf!? (at least vvt seems ok)
289 if not r.ok:
290 return "error: {r.text}", 400 # TODO: better
291 retval = r.text
292 if request.args.get('fmt') == 'vtt' and request.args.get('kind') == 'asr':
293 # autocaptions are extremely confusing, and stuck in the lower-left corner. fix it up a bit
294 retval = re.sub(r"<.+?>", "", retval) # remove inline html-like markup that times each word/adds styles
295 retval = retval.replace("align:start position:0%", "") # let browser position the text itself
296 # each subtitle-line is repeated twice (first on the lower line, then
297 # on the next "frame" on the upper line). we want to remove the
298 # repetition, as that's confusing without word and line animations:
299 lines = retval.split('\n')
300 retval = '\n'.join([line for line, prev in zip(lines, ['']+lines) if not " --> " in prev])
301 return retval, {'Content-Type': r.headers.get("Content-Type")}
302
303 @frontend.route('/manage/subscriptions')
304 # disabled for guest user: @login_required
305 def subscription_manager():
306 if current_user.is_anonymous:
307 token = 'guest'
308 else:
309 token = current_user.token
310 with sqlite3.connect(cf['global']['database']) as conn:
311 #with conn.cursor() as c:
312 c = conn.cursor()
313 c.execute("""
314 SELECT subscriptions.channel_id, name, type,
315 (subscribed_until < datetime('now')) AS obsolete
316 FROM subscriptions
317 LEFT JOIN (SELECT name, id FROM channels
318 UNION
319 SELECT name, id FROM playlists
320 ) AS channels ON channels.id = subscriptions.channel_id
321 left JOIN websub ON channels.id = websub.channel_id
322 WHERE user = ?
323 AND subscriptions.type IN ('channel', 'playlist')
324 ORDER BY obsolete=0, name COLLATE NOCASE ASC""", (token,))
325 rows = [{
326 'channel_id': channel_id,
327 'author': author or channel_id,
328 'type': type,
329 'subscribed_until': subscribed_until
330 } for (channel_id, author, type, subscribed_until) in c.fetchall()]
331 return render_template('subscription_manager.html.j2', rows=rows)
332
333 @frontend.route('/feed/subscriptions', methods=['POST'])
334 @login_required
335 def feed_post():
336 token = current_user.token
337 action = next(iter(list(request.form.keys())), None)
338 if action in ['pin', 'unpin', 'hide', 'unhide']:
339 video_id = request.form.get(action)
340 display = {
341 'pin': 'pinned',
342 'unpin': None,
343 'hide': 'hidden',
344 'unhide': None,
345 }[action]
346 with sqlite3.connect(cf['global']['database']) as conn:
347 c = conn.cursor()
348 store_video_metadata(video_id) # only needed for pinning
349 c.execute("""
350 INSERT OR REPLACE INTO flags (user, video_id, display)
351 VALUES (?, ?, ?)
352 """, (token, video_id, display))
353 undo_flash(video_id, action)
354 else:
355 flash("unsupported action", "error")
356 return redirect(request.url, code=303)
357
358 @frontend.route('/manage/subscriptions', methods=['POST'])
359 @login_required
360 def manage_subscriptions():
361 token = current_user.token
362 if 'subscribe' in request.form:
363 some_id = request.form.get("subscribe")
364 match = re.search(r"(UC[A-Za-z0-9_-]{22})", some_id)
365 if match:
366 some_id = match.group(1)
367 id_type = "channel"
368 else:
369 match = re.search(r"((?:PL|LL|EC|UU|FL|UL|OL)[A-Za-z0-9_-]{10,})", some_id)
370 if match: # NOTE: PL-playlists are 32chars, others differ in length.
371 some_id = match.group(1)
372 id_type = "playlist"
373 else:
374 flash("not a valid/subscribable URI", "error")
375 return redirect(request.url, code=303)
376 with sqlite3.connect(cf['global']['database']) as conn:
377 #with conn.cursor() as c:
378 c = conn.cursor()
379 c.execute("""
380 INSERT OR IGNORE INTO subscriptions (user, channel_id, type)
381 VALUES (?, ?, ?)
382 """, (token, some_id, id_type))
383 # TODO: sql-error-handling, asynchronically calling update-subs.pl
384 undo_flash(some_id, 'subscribe')
385
386 elif 'unsubscribe' in request.form:
387 some_id = request.form.get("unsubscribe")
388 with sqlite3.connect(cf['global']['database']) as conn:
389 #with conn.cursor() as c:
390 c = conn.cursor()
391 c.execute("""
392 DELETE FROM subscriptions
393 WHERE user = ? AND channel_id = ?
394 """, (token, some_id))
395 # TODO: sql-error-handling, report success
396 undo_flash(some_id, 'unsubscribe')
397
398 else:
399 flash("unsupported action", "error")
400
401 return redirect(request.url, code=303)
402
403 @frontend.route('/vi/<vid>/<res>.jpg')
404 def redirect_thumbnails(vid, res):
405 return redirect(f"https://i.ytimg.com{request.path}", code=301)
406
407 @frontend.record
408 def redirect_youtube_dot_com(state):
409 """
410 This is executed when the blueprint is loaded dynamically builds a number
411 of routes so that URLs like
412 https://subscriptions.gir.st/https://www.youtube.com/watch?v=dQw4w9WgXcQ
413 redirect to the /watch page. Works with /watch, /embed/ and youtu.be short
414 links, with or without protocl and/or 'www'.
415 """
416 def real_redirect_youtube_dot_com(video_id=None):
417 if not re.match(r"^[-_0-9A-Za-z]{11}$", video_id or ''): video_id = None
418 if not video_id: video_id = request.args.get('v')
419 return redirect(url_for('.watch', v=video_id))
420
421 for protocol in ("", "http://", "https://"):
422 for prefix in ("", "www.", "m."):
423 for domain in ("youtube.com", "youtu.be", "youtube-nocookie.com"):
424 for urlpath in ("/watch", "/embed/<video_id>", "/<video_id>"):
425 if domain != "youtu.be" and urlpath == "/<video_id>":
426 continue # that's a channel, not a video
427 frontend.add_url_rule(
428 f"/{protocol}{prefix}{domain}{urlpath}",
429 view_func=real_redirect_youtube_dot_com,
430 strict_slashes=False
431 )
432
433 def undo_flash(thing_id, action):
434 undo_action, past_action = {
435 'pin': ('unpin', 'pinned'),
436 'unpin': ('pin', 'unpinned'),
437 'hide': ('unhide', 'hidden'),
438 'unhide': ('hide', 'unhidden'),
439 'subscribe': ('unsubscribe', 'subscribed'),
440 'unsubscribe': ('subscribe', 'unsubscribed'),
441 }.get(action)
442 if 'subscribe' in action and thing_id.startswith('UC'):
443 thing = "channel"
444 thing_url = url_for('.channel', channel_id=thing_id)
445 elif 'subscribe' in action:
446 thing = "playlist"
447 thing_url = url_for('.playlist', playlist_id=thing_id)
448 else:
449 thing = "video"
450 thing_url = url_for('.watch', v=thing_id)
451 flash(f'''
452 <form method=post><input type=hidden name="{undo_action}" value="{thing_id}">
453 <a href="{thing_url}">{thing}</a> {past_action}.
454 <label><input type="submit" hidden>
455 <span style="text-decoration:underline;cursor:pointer">undo</span>.
456 </label></form>''', "info")
457
458 @frontend.app_template_filter('format_date')
459 def format_date(s):
460 import datetime # can't import at top level, because it is inherited from common
461 (y,m,d) = (int(n) for n in s.split('T')[0].split(' ')[0].split('-')) # iso-dates can seperate date from time with space or 'T'
462 M = '_ Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec'.split()
463 if y == datetime.datetime.now().year:
464 return f"{d} {M[m]}"
465 else:
466 return f"{M[m]} '{y%100}"
467
468 @frontend.app_template_filter('format_time')
469 def format_time(i):
470 if i is None:
471 return None
472 h = i // (60*60)
473 m = i // 60 % 60
474 s = i % 60
475 return '%d:%02d:%02d' % (h,m,s) if h else '%02d:%02d' % (m,s)
476
477 @frontend.app_template_filter('timeoffset')
478 def timeoffset(s):
479 if s is None:
480 return None
481 match = re.match(r"^(\d+)s?$", s) # e.g. 2040s
482 if match:
483 return match.group(1)
484 match = re.match(r"^(?:(\d+)h)?(?:(\d+)m)?(?:(\d+)s)?$", s) # e.g. 34m, 1h23s
485 if match:
486 return ":".join([n.zfill(2) for n in match.groups('0')])
487 return None
Imprint / Impressum