]> git.gir.st - subscriptionfeed.git/blob - app/browse/__init__.py
split common.innertube into youtube.cards and browse.innertube
[subscriptionfeed.git] / app / browse / __init__.py
1 import re
2 import requests
3 from flask import Blueprint, render_template, request, flash, g, url_for, redirect
4 from flask_login import current_user
5 from werkzeug.exceptions import BadRequest, NotFound
6
7 from ..common.common import *
8 from .lib import *
9 from .innertube import prepare_searchresults, prepare_channel, prepare_playlist
10 from .protobuf import make_sp, make_channel_params, make_playlist_params, Filters
11
12 frontend = Blueprint('browse', __name__,
13 template_folder='templates',
14 static_folder='static',
15 static_url_path='/static/ys')
16
17 @frontend.route('/results')
18 @frontend.route('/search')
19 def search():
20 #token = getattr(current_user, 'token', 'guest')
21 q = request.args.get('q') or request.args.get('search_query')
22 continuation = request.args.get('continuation')
23
24 sp = make_sp(**{
25 k:v for k,v in request.args.items()
26 if k in ['sort','date','type','len']
27 }, features=[
28 f for f in request.args.getlist('feature')
29 if f in Filters.__dataclass_fields__.keys()
30 ], extras=[
31 e for e in request.args.getlist('feature')
32 if e in ['verbatim']
33 ])
34
35 if continuation or q:
36 yt_results = fetch_ajax("search", **(
37 {'continuation': continuation} if continuation else {'query': q, 'params': sp}
38 ))
39
40 results, extras, continuation = prepare_searchresults(yt_results)
41
42 for extra in extras:
43 flash(extra, 'info')
44 else:
45 results = None
46
47 return render_template('search.html.j2', rows=results, query=q, continuation=continuation)
48
49 @frontend.route('/channel/<channel_id>/')
50 @frontend.route('/channel/<channel_id>/<subpage>')
51 def channel(channel_id, subpage="videos"):
52 token = getattr(current_user, 'token', 'guest')
53 if subpage in ("videos", "streams", "shorts"): # "streams"==livestreams
54 sort_by = request.args.get('sort') or "newest"
55 query = None
56 elif subpage == "playlists":
57 sort_by = request.args.get('sort', "modified")
58 query = None
59 elif subpage == "search":
60 query = request.args.get('q')
61 sort_by = None
62 else: # we don't support /home, /about, ..., so redirect to /videos.
63 return redirect(url_for('.channel', channel_id=channel_id))
64
65 # best effort; if it fails, it fails in the redirect.
66 if not re.match(r"(UC[A-Za-z0-9_-]{22})", channel_id):
67 return redirect(url_for('.channel_redirect', user=channel_id))
68
69 # if we don't have a continuation, we create parameters for page 1 manually:
70 continuation = request.args.get('continuation') or \
71 make_channel_params(channel_id, subpage, 1, sort_by, query, v3=(subpage != "search"))
72 result = fetch_ajax("browse", continuation=continuation)
73 error = find_and_parse_error(result)
74
75 if result is None: # if fetching from innertube failed, fall back to xmlfeed:
76 flash("unable to fetch results from ajax; displaying fallback results (15 newest)", "error")
77 return fallback_route(channel_id, subpage)
78
79 if error:
80 return error, 400 # todo: ugly
81
82 # new seperated videos/livestreams/shorts don't return metadata
83 xmlfeed = fetch_xml("channel_id", channel_id)
84 if xmlfeed:
85 title, _, _, _, _ = parse_xml(xmlfeed)
86
87 _, descr, thumb, rows, continuation = prepare_channel(result, channel_id, title)
88 if not rows: # overran end of list, or is special channel (e.g. music topic (sidebar 'best of youtube', UC-9-kyTW8ZkZNDHQJ6FgpwQ)
89 flash("ajax returned nothing; displaying fallback results (15 newest)", "error")
90 return fallback_route(channel_id, subpage)
91
92
93 # set pin/hide stati of retrieved videos:
94 video_ids = [card['content']['video_id'] for card in rows]
95 pinned, hidden = fetch_video_flags(token, video_ids)
96 rows = sorted([
97 {'type':v['type'], 'content':{**v['content'], 'pinned': v['content']['video_id'] in pinned}}
98 for v in rows
99 if v['content']['video_id'] not in hidden
100 ], key=lambda v:v['content']['pinned'], reverse=True)
101
102 with sqlite3.connect(cf['global']['database']) as conn:
103 c = conn.cursor()
104 c.execute("""
105 SELECT COUNT(*)
106 FROM subscriptions
107 WHERE channel_id = ? AND user = ?
108 """, (channel_id, token))
109 (is_subscribed,) = c.fetchone()
110
111 return render_template('channel.html.j2',
112 title=title,
113 subpage=subpage,
114 sort=sort_by,
115 rows=rows,
116 channel_id=channel_id,
117 channel_img=thumb,
118 channel_desc=descr,
119 is_subscribed=is_subscribed,
120 continuation=continuation)
121
122 @frontend.route('/<user>/<subpage>')
123 @frontend.route('/user/<user>/')
124 @frontend.route('/user/<user>/<subpage>')
125 @frontend.route('/c/<user>/')
126 @frontend.route('/c/<user>/<subpage>')
127 def channel_redirect(user, subpage=None):
128 """
129 The browse_ajax 'API' needs the UCID.
130 """
131
132 # inverse of the test in /channel/:
133 if re.match(r"(UC[A-Za-z0-9_-]{22})", user):
134 return redirect(url_for('.channel', channel_id=user))
135
136 if subpage not in (None, "home", "videos", "shorts", "streams", "playlists", "community", "channels", "about"):
137 raise NotFound("not a valid channel subpage")
138
139 channel_id = canonicalize_channel(request.path)
140 if not channel_id:
141 raise NotFound("channel does not exist")
142
143 return redirect(
144 url_for('.channel', channel_id=channel_id, subpage=subpage), 308
145 )
146
147 @frontend.route('/playlist')
148 def playlist():
149 playlist_id = request.args.get('list')
150 if not playlist_id:
151 raise BadRequest("No playlist ID")
152
153 # if we don't have a continuation, we create parameters for page 1 manually:
154 continuation = request.args.get('continuation') or \
155 make_playlist_params(playlist_id, 0)
156 result = fetch_ajax("browse", continuation=continuation)
157 error = find_and_parse_error(result)
158
159 if result is None:
160 flash(f"1 {error}. Loading fallback.", 'error')
161 return fallback_route()
162
163 if not 'continuationContents' in result:
164 flash(f"2 {error}. Loading fallback.", 'error')
165 return fallback_route()
166
167 title, author, channel_id, rows, continuation = prepare_playlist(result)
168
169 return render_template('playlist.html.j2',
170 title=title,
171 author=author,
172 channel_id=channel_id,
173 rows=rows,
174 continuation=continuation)
175
176 @frontend.route('/<something>', strict_slashes=False)
177 def plain_user_or_video(something):
178 # this is a near-copy of the same route in app/youtube, but using a
179 # different, more reliable endpoint to determine whether a channel exists.
180 if '.' in something:
181 # prevent a lot of false-positives (and reduce youtube api calls)
182 raise NotFound
183
184 channel_id = canonicalize_channel(something) # /vanity or /@handle
185 if channel_id:
186 return redirect(url_for('.channel', channel_id=channel_id))
187 elif re.match(r"^[-_0-9A-Za-z]{11}$", something): # looks like a video id
188 return redirect(url_for('youtube.watch', v=something, t=request.args.get('t')))
189 else: # ¯\_(ツ)_/¯
190 raise NotFound("Note: some usernames not recognized; try searching it")
191
192 @frontend.before_app_request
193 def inject_button():
194 if not 'header_items' in g:
195 g.header_items = []
196 g.header_items.append({
197 'name': 'search',
198 'url': url_for('browse.search'),
199 'parent': frontend.name,
200 'priority': 15,
201 })
Imprint / Impressum