bridgy-fed/pages.py

336 wiersze
11 KiB
Python
Czysty Zwykły widok Historia

"""UI pages."""
import calendar
import datetime
import logging
import os
import re
import urllib.parse
from flask import g, redirect, render_template, request
2022-11-09 15:53:00 +00:00
from google.cloud.ndb.stats import KindStat
from granary import as1, as2, atom, microformats2, rss
2022-12-02 22:46:18 +00:00
import humanize
from oauth_dropins.webutil import flask_util, logs, util
from oauth_dropins.webutil.flask_util import error, flash, redirect
2022-11-13 07:19:09 +00:00
from oauth_dropins.webutil.util import json_dumps, json_loads
import common
from common import DOMAIN_RE
from flask_app import app, cache
from models import fetch_page, Follower, Object, PAGE_SIZE, PROTOCOLS, User
from web import Web
FOLLOWERS_UI_LIMIT = 999
# precompute this because we get a ton of requests for non-existing users
# from weird open redirect referrers:
# https://github.com/snarfed/bridgy-fed/issues/422
with app.test_request_context('/'):
USER_NOT_FOUND_HTML = render_template('user_not_found.html')
logger = logging.getLogger(__name__)
@app.route('/')
@flask_util.cached(cache, datetime.timedelta(days=1))
def front_page():
"""View for the front page."""
return render_template('index.html')
@app.route('/docs')
@flask_util.cached(cache, datetime.timedelta(days=1))
def docs():
"""View for the docs page."""
return render_template('docs.html')
@app.get(f'/user/<regex("{DOMAIN_RE}"):domain>')
@app.get(f'/user/<regex("{DOMAIN_RE}"):domain>/feed')
@app.get(f'/user/<regex("{DOMAIN_RE}"):domain>/<any(followers,following):collection>')
def web_user_redirects(**kwargs):
path = request.url.removeprefix(request.root_url).removeprefix('user/')
return redirect(f'/web/{path}', code=301)
@app.get(f'/<any({",".join(PROTOCOLS)}):protocol>/<id>')
def user(protocol, id):
# TODO: unify this with followers_or_following, others
cls = PROTOCOLS[protocol]
g.user = cls.get_by_id(id)
if not g.user:
g.user = cls.query(cls.readable_id == id).get()
if not g.user or not g.user.direct:
return USER_NOT_FOUND_HTML, 404
elif id != g.user.readable_or_key_id(): # this also handles use_instead
return redirect(g.user.user_page_path(), code=301)
assert not g.user.use_instead
query = Object.query(
Object.domains == id,
Object.labels.IN(('notification', 'user')),
)
objects, before, after = fetch_objects(query)
followers = Follower.query(Follower.dest == id, Follower.status == 'active')\
.count(limit=FOLLOWERS_UI_LIMIT)
followers = f'{followers}{"+" if followers == FOLLOWERS_UI_LIMIT else ""}'
following = Follower.query(Follower.src == id, Follower.status == 'active')\
.count(limit=FOLLOWERS_UI_LIMIT)
following = f'{following}{"+" if following == FOLLOWERS_UI_LIMIT else ""}'
return render_template(
'user.html',
follow_url=request.values.get('url'),
2022-11-13 07:19:09 +00:00
logs=logs,
util=util,
address=request.args.get('address'),
g=g,
**locals(),
)
@app.get(f'/<any({",".join(PROTOCOLS)}):protocol>/<id>/<any(followers,following):collection>')
def followers_or_following(protocol, id, collection):
# TODO: unify this with user, feed
cls = PROTOCOLS[protocol]
g.user = cls.get_by_id(id)
if not g.user:
g.user = cls.query(cls.readable_id == id).get()
if not g.user or not g.user.direct:
return USER_NOT_FOUND_HTML, 404
elif id != g.user.readable_or_key_id(): # this also handles use_instead
return redirect(g.user.user_page_path(), code=301)
assert not g.user.use_instead
followers, before, after = Follower.fetch_page(id, collection)
2022-11-13 07:19:09 +00:00
for f in followers:
f.url = f.src if collection == 'followers' else f.dest
person = f.to_as1()
f.handle = as2.address(as2.from_as1(person) or f.url) or f.url
if person and isinstance(person, dict):
f.name = person.get('name') or ''
f.picture = util.get_url(person, 'icon') or util.get_url(person, 'image')
return render_template(
f'{collection}.html',
util=util,
address=request.args.get('address'),
g=g,
**locals()
)
@app.get(f'/<any({",".join(PROTOCOLS)}):protocol>/<id>/feed')
def feed(protocol, id):
format = request.args.get('format', 'html')
if format not in ('html', 'atom', 'rss'):
2022-11-17 15:58:08 +00:00
error(f'format {format} not supported; expected html, atom, or rss')
# TODO: unify this with user, followers_or_following
cls = PROTOCOLS[protocol]
g.user = cls.get_by_id(id)
if not g.user:
g.user = cls.query(cls.readable_id == id).get()
if not g.user or not g.user.direct:
return USER_NOT_FOUND_HTML, 404
elif id != g.user.readable_or_key_id(): # this also handles use_instead
return redirect(g.user.user_page_path(), code=301)
assert not g.user.use_instead
objects, _, _ = Object.query(
Object.domains == id, Object.labels == 'feed') \
.order(-Object.created) \
.fetch_page(PAGE_SIZE)
activities = [obj.as1 for obj in objects if not obj.deleted]
actor = {
'displayName': id,
'url': g.user.web_url(),
}
title = f'Bridgy Fed feed for {id}'
# TODO: inject/merge common.pretty_link into microformats2.render_content
# (specifically into hcard_to_html) somehow to convert Mastodon URLs to @-@
# syntax. maybe a fediverse kwarg down through the call chain?
if format == 'html':
entries = [microformats2.object_to_html(a) for a in activities]
return render_template('feed.html', util=util, g=g, **locals())
elif format == 'atom':
body = atom.activities_to_atom(activities, actor=actor, title=title,
2022-11-17 15:58:08 +00:00
request_url=request.url)
return body, {'Content-Type': atom.CONTENT_TYPE}
elif format == 'rss':
body = rss.from_activities(activities, actor=actor, title=title,
2022-11-17 15:58:08 +00:00
feed_url=request.url)
return body, {'Content-Type': rss.CONTENT_TYPE}
def fetch_objects(query):
"""Fetches a page of Object entities from a datastore query.
2023-04-26 04:01:45 +00:00
Wraps :func:`models.fetch_page` and adds attributes to the returned Object
entities for rendering in objects.html.
Args:
query: :class:`ndb.Query`
Returns:
(results, new_before, new_after) tuple with:
results: list of Object entities
new_before, new_after: str query param values for `before` and `after`
to fetch the previous and next pages, respectively
"""
objects, new_before, new_after = fetch_page(query, Object)
2022-11-21 05:35:55 +00:00
seen = set()
# synthesize human-friendly content for objects
for i, obj in enumerate(objects):
obj_as1 = obj.as1
2022-11-21 05:35:55 +00:00
# synthesize text snippet
type = as1.object_type(obj_as1)
phrases = {
'article': 'posted',
'comment': 'replied',
2023-04-17 22:36:29 +00:00
'delete': 'deleted',
'follow': 'followed',
'invite': 'is invited to',
'issue': 'filed issue',
'like': 'liked',
'note': 'posted',
'post': 'posted',
'repost': 'reposted',
'rsvp-interested': 'is interested in',
'rsvp-maybe': 'might attend',
'rsvp-no': 'is not attending',
'rsvp-yes': 'is attending',
'share': 'reposted',
'stop-following': 'unfollowed',
'update': 'updated',
}
obj.phrase = phrases.get(type)
inner_obj = as1.get_object(obj_as1)
content = (inner_obj.get('content')
or inner_obj.get('displayName')
or inner_obj.get('summary'))
urls = as1.object_urls(inner_obj)
id = common.redirect_unwrap(inner_obj.get('id', ''))
url = urls[0] if urls else id
if (type == 'update' and obj.domains and
id.strip('/') == f'https://{obj.domains[0]}'):
obj.phrase = 'updated'
obj_as1.update({
'content': 'their profile',
'url': f'https://{obj.domains[0]}',
})
elif url:
content = common.pretty_link(url, text=content)
obj.content = (obj_as1.get('content')
or obj_as1.get('displayName')
or obj_as1.get('summary'))
obj.url = util.get_first(obj_as1, 'url')
if (type in ('like', 'follow', 'repost', 'share') or
not obj.content):
if obj.url:
obj.phrase = common.pretty_link(obj.url, text=obj.phrase,
attrs={'class': 'u-url'})
if content:
obj.content = content
obj.url = url
return objects, new_before, new_after
2022-11-09 15:53:00 +00:00
@app.get('/stats')
def stats():
2022-12-02 22:46:18 +00:00
def count(kind):
return humanize.intcomma(
KindStat.query(KindStat.kind_name == kind).get().count)
return render_template(
'stats.html',
users=count('MagicKey'),
objects=count('Object'),
2022-12-02 22:46:18 +00:00
followers=count('Follower'),
)
2022-11-09 15:53:00 +00:00
@app.get('/.well-known/nodeinfo')
@flask_util.cached(cache, datetime.timedelta(days=1))
def nodeinfo_jrd():
"""
https://nodeinfo.diaspora.software/protocol.html
"""
return {
'links': [{
'rel': 'http://nodeinfo.diaspora.software/ns/schema/2.1',
'href': common.host_url('nodeinfo.json'),
}],
}, {
'Content-Type': 'application/jrd+json',
}
@app.get('/nodeinfo.json')
@flask_util.cached(cache, datetime.timedelta(days=1))
def nodeinfo():
"""
https://nodeinfo.diaspora.software/schema.html
"""
user_total = None
stat = KindStat.query(KindStat.kind_name == 'MagicKey').get()
if stat:
user_total = stat.count
return {
'version': '2.1',
'software': {
'name': 'bridgy-fed',
'version': os.getenv('GAE_VERSION'),
'repository': 'https://github.com/snarfed/bridgy-fed',
'web_url': 'https://fed.brid.gy/',
},
'protocols': [
'activitypub',
'bluesky',
'webmention',
],
'services': {
'outbound': [],
'inbound': [],
},
'usage': {
'users': {
'total': user_total,
# 'activeMonth':
# 'activeHalfyear':
},
'localPosts': Object.query(Object.source_protocol.IN(('web', 'webmention')),
Object.type.IN(['note', 'article']),
).count(),
'localComments': Object.query(Object.source_protocol.IN(('web', 'webmention')),
Object.type == 'comment',
).count(),
},
'openRegistrations': True,
'metadata': {},
}, {
# https://nodeinfo.diaspora.software/protocol.html
'Content-Type': 'application/json; profile="http://nodeinfo.diaspora.software/ns/schema/2.1#"',
}
2021-07-13 15:06:35 +00:00
@app.get('/log')
@flask_util.cached(cache, logs.CACHE_TIME)
2021-07-13 15:06:35 +00:00
def log():
return logs.log()