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