]> git.gir.st - subscriptionfeed.git/blob - app/browse/__init__.py
remove v1 usage from /channels/
[subscriptionfeed.git] / app / browse / __init__.py
1 import requests
2 from flask import Blueprint, render_template, request, flash, g, url_for, redirect
3 from flask_login import current_user
4 from werkzeug.exceptions import BadRequest, NotFound
5
6 from ..common.common import *
7 from ..common.innertube import *
8 from .lib import *
9 from .protobuf import make_sp, make_channel_params, make_playlist_params
10
11 frontend = Blueprint('browse', __name__,
12 template_folder='templates',
13 static_folder='static',
14 static_url_path='/static/ys')
15
16 @frontend.route('/results')
17 @frontend.route('/search')
18 def search():
19 #token = getattr(current_user, 'token', 'guest')
20 q = request.args.get('q') or request.args.get('search_query')
21 page = int(request.args.get('page') or 1)
22
23 sp = make_sp(**{
24 k:v for k,v in request.args.items()
25 if k in ['sort','date','type','len']
26 }, extras=['dont_fix_spelling']*0) # extras disabled
27
28 if q:
29 yt_results = fetch_searchresults(q, page, sp)
30
31 results, extras = prepare_searchresults(yt_results)
32
33 for extra in extras:
34 flash(extra, 'info')
35 else:
36 results = None
37
38 return render_template('search.html.j2', rows=results, query=q, page=page)
39
40 # TODO: channels, playlists:
41 # https://github.com/iv-org/invidious/blob/452d1e8307d6344dd51c5437ccd032a566291c34/src/invidious/channels.cr#L399
42
43 @frontend.route('/channel/<channel_id>/')
44 @frontend.route('/channel/<channel_id>/<subpage>')
45 def channel(channel_id, subpage="videos"):
46 token = getattr(current_user, 'token', 'guest')
47 if subpage == "videos":
48 page = int(request.args.get('page', 1))
49 sort_by = request.args.get('sort') or "newest"
50 query = None
51 elif subpage == "playlists":
52 page = None # TODO: cursor
53 sort_by = request.args.get('sort', "modified")
54 query = None
55 elif subpage == "search":
56 query = request.args.get('q')
57 page = int(request.args.get('page', 1))
58 sort_by = None
59 else: # we don't support /home, /about, ..., so redirect to /videos.
60 return redirect(url_for('.channel', channel_id=channel_id))
61
62 # best effort; if it fails, it fails in the redirect.
63 if not re.match(r"(UC[A-Za-z0-9_-]{22})", channel_id):
64 return redirect(url_for('.channel_redirect', user=channel_id))
65
66 result = fetch_ajax(make_channel_params(channel_id, subpage, page, sort_by, query, v3=(subpage == "videos")))
67
68 title, descr, thumb, rows, more = prepare_channel(result, channel_id)
69
70 if title is None or not rows: # if fetching from innertube failed, fall back to xmlfeed:
71 flash("unable to fetch results from ajax; displaying fallback results (15 newest)", "error")
72 return fallback_route(channel_id, subpage)
73
74 # set pin/hide stati of retrieved videos:
75 video_ids = [card['content']['video_id'] for card in rows]
76 pinned, hidden = fetch_video_flags(token, video_ids)
77 rows = sorted([
78 {'type':v['type'], 'content':{**v['content'], 'pinned': v['content']['video_id'] in pinned}}
79 for v in rows
80 if v['content']['video_id'] not in hidden
81 ], key=lambda v:v['content']['pinned'], reverse=True)
82
83 with sqlite3.connect(cf['global']['database']) as conn:
84 c = conn.cursor()
85 c.execute("""
86 SELECT COUNT(*)
87 FROM subscriptions
88 WHERE channel_id = ? AND user = ?
89 """, (channel_id, token))
90 (is_subscribed,) = c.fetchone()
91
92 return render_template('channel.html.j2',
93 title=title,
94 subpage=subpage,
95 rows=rows,
96 channel_id=channel_id,
97 channel_img=thumb,
98 channel_desc=descr,
99 is_subscribed=is_subscribed,
100 page=page,
101 has_more=more)
102
103 @frontend.route('/user/<user>/')
104 @frontend.route('/user/<user>/<subpage>')
105 @frontend.route('/c/<user>/')
106 @frontend.route('/c/<user>/<subpage>')
107 def channel_redirect(user, subpage=None):
108 """
109 The browse_ajax 'API' needs the UCID. We can get that from the RSS feeds.
110 """
111
112 # inverse of the test in /channel/:
113 if re.match(r"(UC[A-Za-z0-9_-]{22})", user):
114 return redirect(url_for('.channel', channel_id=user))
115
116 xmlfeed = fetch_xml("user", user)
117 if not xmlfeed:
118 raise NotFound("channel appears to not exist")
119 _, _, _, channel_id, _ = parse_xml(xmlfeed)
120 return redirect(
121 url_for('.channel', channel_id=channel_id, subpage=subpage), 308
122 )
123
124 @frontend.route('/playlist')
125 def playlist():
126 #TODO: if anything goes wrong, fall back to xmlfeed
127 playlist_id = request.args.get('list')
128 if not playlist_id:
129 raise BadRequest("No playlist ID")
130 page = int(request.args.get('page', 1))
131
132 xmlfeed = fetch_xml("playlist_id", playlist_id)
133 if not xmlfeed:
134 raise NotFound("Unable to fetch playlist")
135 title, author, _, channel_id, _ = parse_xml(xmlfeed)
136
137 offset = (page-1)*100 # each call returns 100 items
138 result = fetch_ajax(make_playlist_params(playlist_id, offset))
139
140 if not 'continuationContents' in result[1]['response']: # XXX: this needs cleanup!
141 # code:"CONDITION_NOT_MET", debugInfo:"list type not viewable"
142 # on playlist https://www.youtube.com/watch?v=6y_NJg-xoeE&list=RDgohHV9ryp-A&index=24 (not openable on yt.com)
143 error = result[1]['response']['responseContext']['errors']['error'][0]
144 flash(f"{error['code']}: {error['debugInfo'] or error['externalErrorMessage']}", 'error')
145 return fallback_route()
146 rows, more = prepare_playlist(result)
147
148 return render_template('playlist.html.j2',
149 title=title,
150 author=author,
151 channel_id=channel_id,
152 rows=rows,
153 page=page,
154 has_more=more)
155
156 @frontend.before_app_request
157 def inject_button():
158 if not 'header_items' in g:
159 g.header_items = []
160 g.header_items.append({
161 'name': 'search',
162 'url': url_for('browse.search'),
163 'parent': frontend.name,
164 'priority': 15,
165 })
Imprint / Impressum