]> git.gir.st - subscriptionfeed.git/blob - app/youtube/__init__.py
don't use proxy for videos that don't need it
[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
9
10 from ..common.common import *
11
12 frontend = Blueprint('youtube', __name__,
13 template_folder='templates',
14 static_folder='static',
15 static_url_path='/static/yt')
16
17 @frontend.route('/')
18 def index():
19 return redirect(url_for('.feed'), code=302)
20
21 @frontend.route('/feed/subscriptions')
22 # disabled for guest user: @login_required
23 def feed():
24 if current_user.is_anonymous:
25 token = 'guest'
26 if 'welcome_message' in cf['frontend']:
27 flash(cf['frontend']['welcome_message'], "info")
28 else:
29 token = current_user.token
30 page = int(request.args.get('page', 0))
31 with sqlite3.connect(cf['global']['database']) as conn:
32 c = conn.cursor()
33 c.execute("""
34 SELECT videos.id, channel_id, name, title, published, flags.display
35 FROM videos
36 JOIN channels ON videos.channel_id = channels.id
37 LEFT JOIN flags ON (videos.id = flags.video_id) AND (flags.user = ?)
38 WHERE (channel_id IN (SELECT channel_id FROM subscriptions WHERE user=?)
39 OR flags.display = 'pinned')
40 AND flags.display IS NOT 'hidden'
41 ORDER BY (display = 'pinned') DESC, crawled DESC
42 LIMIT 36
43 OFFSET 36*?""", (token, token, page))
44 rows = [{
45 'video_id': video_id,
46 'channel_id': channel_id,
47 'author': author,
48 'title': title,
49 'published': published,
50 'pinned': display == 'pinned',
51 } for (video_id, channel_id, author, title, published, display) in c.fetchall()]
52 return render_template('index.html.j2', rows=rows, page=page)
53
54 @frontend.route('/watch')
55 def watch():
56 if current_user.is_anonymous:
57 token = 'guest'
58 else:
59 token = current_user.token
60
61 if not 'v' in request.args:
62 return "missing video id", 400
63
64 plaintextheaders = {
65 'content-type': 'text/plain',
66 'Link': "<data:text/css,body%7Bcolor:%23eee;background:%23333%7D>; rel=stylesheet;"
67 }
68
69 video_id = request.args.get('v')
70 sts, algo = get_cipher()
71 video_url, metadata, error, errdetails = get_video_info(video_id, sts, algo)
72
73 extra = {'geolocked':'local=1', 'livestream':'raw=0'}.get(error,'')
74 invidious_url = f"https://invidio.us/watch?v={video_id}&{extra}"
75 errdetails = {
76 'malformed': "Video ID is invalid.",
77 'geolocked': "This video is geolocked.",
78 'livestream': "Livestreams not yet supported.",
79 'exhausted': errdetails or "Couldn't extract video URLs.",
80 'player': errdetails,
81 }.get(error)
82
83 # if the video is geolocked, and the proxy is enabled, we can still play it:
84 try:
85 if error == 'geolocked':
86 error = None
87 videoplayback = url_for('proxy.videoplayback')
88 query = urlparse(video_url).query
89
90 video_url = f"{videoplayback}?{query}"
91 except: pass
92
93 show = request.args.get("show")
94 if show == "raw":
95 if error:
96 msg = errdetails if error=='player' else f"{error.upper()}: {errdetails}"
97 return f"{msg}\n\nRedirecting to Invidious.", 502, {
98 'Refresh': f'2; URL={invidious_url}&raw=1',
99 **plaintextheaders}
100 return redirect(video_url, code=307)
101 elif show == "json":
102 if error and not metadata:
103 return {'error': True, error: errdetails}, 400 # TODO: better (test _CpR4o81XQc)
104 return jsonify(metadata)
105 else:
106 if error and not metadata: # e.g. malformed, private/deleted video, ...
107 return errdetails,400 # TODO: nicer
108 meta = prepare_metadata(metadata)
109 with sqlite3.connect(cf['global']['database']) as conn:
110 c = conn.cursor()
111 c.execute("""
112 SELECT COUNT((
113 SELECT 1 FROM subscriptions WHERE channel_id = ? AND user = ?
114 )), COUNT((
115 SELECT 1 FROM flags WHERE video_id = ? AND display = 'pinned' AND user = ?
116 ))""", (meta['channel_id'], token, video_id, token))
117 (is_subscribed, is_pinned) = c.fetchone()
118 return render_template('watch.html.j2',
119 video_id=video_id, video_url=video_url,
120 video_error=error, errdetails=errdetails, invidious_url=invidious_url,
121 is_pinned=is_pinned, is_subscribed=is_subscribed,
122 **meta)
123
124 @frontend.route('/embed/<video_id>')
125 def embed(video_id):
126 return redirect(url_for('youtube.watch', v=video_id))
127
128 @frontend.route('/<video_id>')
129 def raw_video_id_url(video_id):
130 # a "just-a-variable-endpoint" has lowest priority, but we check if it
131 # looks like a video id anyways, so we can have more than one such endpoint
132 # in the future.
133 if not re.match(r"^[-_0-9A-Za-z]{11}$", video_id): # not actually a video id
134 return fallback_route()
135 return redirect(url_for('youtube.watch', v=video_id))
136
137 @frontend.route('/channel/<channel_id>')
138 def channel(channel_id):
139 token = getattr(current_user, 'token', 'guest')
140
141 if not re.match(r"(UC[A-Za-z0-9_-]{22})", channel_id):
142 return "bad channel id", 400 # todo
143
144 xmlfeed = fetch_xml("channel_id", channel_id)
145 if not xmlfeed:
146 return "not found or something", 404 # XXX
147 title, author, videos = parse_xml(xmlfeed)
148
149 with sqlite3.connect(cf['global']['database']) as conn:
150 c = conn.cursor()
151 c.execute("""
152 SELECT COUNT(*)
153 FROM subscriptions
154 WHERE channel_id = ? AND user = ?
155 """, (channel_id, token))
156 (is_subscribed,) = c.fetchone()
157
158 return render_template('xmlfeed.html.j2', title=author, rows=videos,
159 is_subscribed=is_subscribed, channel_id=channel_id)
160
161 @frontend.route('/playlist')
162 def playlist():
163 playlist_id = request.args.get('list')
164 if not playlist_id:
165 return "bad list id", 400 # todo
166
167 xmlfeed = fetch_xml("playlist_id", playlist_id)
168 if not xmlfeed:
169 return "not found or something", 404 # XXX
170 title, author, videos = parse_xml(xmlfeed)
171 return render_template('xmlfeed.html.j2', title=f"{title} by {author}", rows=videos)
172
173 @frontend.route('/api/timedtext')
174 def timedtext():
175 r = requests.get("https://www.youtube.com/api/timedtext", request.args.to_dict())
176 # Note: in srv1 format, xmlentities are double-encoded m( a smart quote is
177 # even worse: it's '&amp;39;<smartquote>' wtf!? (at least vvt seems ok)
178 if not r.ok:
179 return "error: {r.text}", 400 # TODO: better
180 retval = r.text
181 if request.args.get('fmt') == 'vtt' and request.args.get('kind') == 'asr':
182 # autocaptions are extremely confusing, and stuck in the lower-left corner. fix it up a bit
183 retval = re.sub(r"<.+?>", "", retval) # remove inline html-like markup that times each word/adds styles
184 retval = retval.replace("align:start position:0%", "") # let browser position the text itself
185 # each subtitle-line is repeated twice (first on the lower line, then
186 # on the next "frame" on the upper line). we want to remove the
187 # repetition, as that's confusing without word and line animations:
188 lines = retval.split('\n')
189 retval = '\n'.join([line for line, prev in zip(lines, ['']+lines) if not " --> " in prev])
190 return retval, {'Content-Type': r.headers.get("Content-Type")}
191
192 @frontend.route('/manage/subscriptions')
193 # disabled for guest user: @login_required
194 def subscription_manager():
195 if current_user.is_anonymous:
196 token = 'guest'
197 else:
198 token = current_user.token
199 with sqlite3.connect(cf['global']['database']) as conn:
200 #with conn.cursor() as c:
201 c = conn.cursor()
202 c.execute("""
203 SELECT subscriptions.channel_id, name,
204 (subscribed_until < datetime('now')) AS obsolete
205 FROM subscriptions
206 left JOIN channels ON channels.id = subscriptions.channel_id
207 left JOIN websub ON channels.id = websub.channel_id
208 WHERE user = ?
209 AND subscriptions.type IN ('channel', 'playlist')
210 ORDER BY obsolete=0, name COLLATE NOCASE ASC""", (token,))
211 rows = [{
212 'channel_id': channel_id,
213 'author': author or channel_id,
214 'subscribed_until': subscribed_until
215 } for (channel_id, author, subscribed_until) in c.fetchall()]
216 return render_template('subscription_manager.html.j2', rows=rows)
217
218 @frontend.route('/feed/subscriptions', methods=['POST'])
219 @login_required
220 def feed_post():
221 token = current_user.token
222 action = next(request.form.keys(), None)
223 if action in ['pin', 'unpin', 'hide']:
224 video_id = request.form.get(action)
225 display = {
226 'pin': 'pinned',
227 'unpin': None,
228 'hide': 'hidden',
229 }[action]
230 with sqlite3.connect(cf['global']['database']) as conn:
231 c = conn.cursor()
232 store_video_metadata(video_id) # only needed for pinning
233 c.execute("""
234 INSERT OR REPLACE INTO flags (user, video_id, display)
235 VALUES (?, ?, ?)
236 """, (token, video_id, display))
237 else:
238 flash("unsupported action", "error")
239 return redirect(request.url, code=303)
240
241 @frontend.route('/manage/subscriptions', methods=['POST'])
242 @login_required
243 def manage_subscriptions():
244 token = current_user.token
245 if 'subscribe' in request.form:
246 channel_id = request.form.get("subscribe")
247 match = re.search(r"(UC[A-Za-z0-9_-]{22})", channel_id)
248 if match:
249 channel_id = match.group(1)
250 else:
251 match = re.search(r"((?:PL|LL|EC|UU|FL|UL|OL)[A-Za-z0-9_-]{10,})", channel_id)
252 if match: # NOTE: PL-playlists are 32chars, others differ in length.
253 flash("playlists not (yet?) supported.", "error")
254 return redirect(request.url, code=303) # TODO: dedup redirection
255 else:
256 flash("not a valid/subscribable URI", "error")
257 return redirect(request.url, code=303) # TODO: dedup redirection
258 with sqlite3.connect(cf['global']['database']) as conn:
259 #with conn.cursor() as c:
260 c = conn.cursor()
261 c.execute("""
262 INSERT OR IGNORE INTO subscriptions (user, channel_id)
263 VALUES (?, ?)
264 """, (token, channel_id))
265 # TODO: sql-error-handling, asynchronically calling update-subs.pl
266
267 elif 'unsubscribe' in request.form:
268 channel_id = request.form.get("unsubscribe")
269 with sqlite3.connect(cf['global']['database']) as conn:
270 #with conn.cursor() as c:
271 c = conn.cursor()
272 c.execute("""
273 DELETE FROM subscriptions
274 WHERE user = ? AND channel_id = ?
275 """, (token, channel_id))
276 # TODO: sql-error-handling, report success
277
278 else:
279 flash("unsupported action", "error")
280
281 return redirect(request.url, code=303)
282
283 def get_cipher():
284 # reload cipher from database every 1 hour
285 if 'cipher' not in g or time.time() - g.get('cipher_updated', 0) > 1 * 60 * 60:
286 with sqlite3.connect(cf['global']['database']) as conn:
287 c = conn.cursor()
288 c.execute("SELECT sts, algorithm FROM cipher")
289 g.cipher = c.fetchone()
290 g.cipher_updated = time.time()
291
292 return g.cipher
293
294 #@frontend.teardown_appcontext
295 #def teardown_db():
296 # db = g.pop('db', None)
297 #
298 # if db is not None:
299 # db.close()
300
301
302 @frontend.app_template_filter('format_date')
303 def format_date(s):
304 import datetime # can't import at top level, because it is inherited from common
305 (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'
306 M = '_ Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec'.split()
307 if y == datetime.datetime.now().year:
308 return f"{d} {M[m]}"
309 else:
310 return f"{M[m]} '{y%100}"
Imprint / Impressum