-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathapp.py
169 lines (133 loc) · 4.96 KB
/
app.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
"""Self-labeler Flask app and implementation.
https://atproto.com/specs/label
https://docs.bsky.app/docs/advanced-guides/moderation#labelers
Uses jetstream:
https://github.com/bluesky-social/jetstream
Example command line:
websocat 'wss://jetstream2.us-east.bsky.network/subscribe?wantedCollections=app.bsky.feed.post'
"""
from datetime import datetime, timezone
import json
import logging
import os
from pathlib import Path
from queue import Queue
import threading
from threading import Lock, Thread
import arroba.util
from cryptography.hazmat.primitives import serialization
from flask import Flask, redirect
from google.cloud import error_reporting
import google.cloud.logging
import lexrpc.flask_server
import lexrpc.server
import simple_websocket
# https://docs.bsky.app/docs/advanced-guides/moderation#global-label-values
GLOBAL_LABELS = [
'!hide',
'!no-unauthenticated',
'!warn',
'graphic-media',
'nudity',
'porn',
'sexual',
]
KNOWN_LABELS = [
'bridged-from-bridgy-fed-activitypub',
'bridged-from-bridgy-fed-web',
]
# https://cloud.google.com/appengine/docs/flexible/python/runtime#environment_variables
PROD = 'GAE_INSTANCE' in os.environ
if PROD:
logging_client = google.cloud.logging.Client()
logging_client.setup_logging(log_level=logging.DEBUG)
error_reporting_client = error_reporting.Client()
else:
logging.basicConfig(level=logging.DEBUG)
logger = logging.getLogger(__name__)
logger.info('Loading #atproto_label private key from privkey.atproto_label.pem')
with open('privkey.atproto_label.pem', 'rb') as f:
privkey = serialization.load_pem_private_key(f.read(), password=None)
# elements are Queues of lists of dict com.atproto.label.defs objects to emit
subscribers = []
subscribers_lock = Lock()
# Flask app
app = Flask(__name__)
app.json.compact = False
app_dir = Path(__file__).parent
@app.route('/')
def home_page():
"""Redirect to bsky.app labeler profile."""
return redirect('https://bsky.app/profile/self-labeler.snarfed.org', code=302)
# ATProto XRPC server
xrpc_server = lexrpc.server.Server(validate=True)
def jetstream():
host = os.environ['JETSTREAM_HOST']
logger.info(f'connecting to jetstream at {host}')
ws = simple_websocket.Client(f'wss://{host}/subscribe?wantedCollections=app.bsky.feed.post&wantedCollections=app.bsky.actor.profile')
while True:
try:
msg = json.loads(ws.receive())
commit = msg.get('commit')
if (msg.get('kind') != 'commit'
or commit.get('operation') not in ('create', 'update')):
continue
values = [v['val'] for v in
commit['record'].get('labels', {}).get('values', [])
if v['val'] not in GLOBAL_LABELS]
if not values:
continue
labels = {
'seq': msg['time_us'],
'labels': [],
}
uri = f'at://{msg["did"]}/{commit["collection"]}/{commit["rkey"]}'
for val in values:
if PROD and val not in KNOWN_LABELS:
error_reporting_client.report(f'new label! {val} {uri} {commit["cid"]} {msg["time_us"]}')
label = {
'ver': 1,
'src': msg['did'],
'uri': uri,
'cid': commit['cid'],
'val': val,
'cts': datetime.now(timezone.utc).isoformat(),
}
arroba.util.sign(label, privkey)
labels['labels'].append(label)
logger.info(f'emitting {len(labels["labels"])} labels to {len(subscribers)} subscribers for {uri} ')
for sub in subscribers:
sub.put(labels)
except simple_websocket.ConnectionClosed as cc:
logger.info(f'reconnecting after jetstream disconnect: {cc}')
except BaseException as err:
if PROD:
error_reporting_client.report_exception()
else:
raise
@xrpc_server.method('com.atproto.label.subscribeLabels')
def subscribe_labels(cursor=None):
if cursor:
logger.info(f'ignoring cursor {cursor}, starting at head')
# raise NotImplementedError('cursor not yet supported')
labels = Queue()
with subscribers_lock:
subscribers.append(labels)
try:
while True:
yield ({'op': 1, 't': '#labels'}, labels.get())
finally:
with subscribers_lock:
subscribers.remove(labels)
# must be after subscription XRPC methods are registered
lexrpc.flask_server.init_flask(xrpc_server, app)
# start jetstream consumer
assert 'jetstream' not in [t.name for t in threading.enumerate()]
Thread(target=jetstream, name='jetstream').start()
@app.get('/liveness_check')
@app.get('/readiness_check')
def health_check():
"""App Engine Flex health checks.
https://cloud.google.com/appengine/docs/flexible/reference/app-yaml?tab=python#updated_health_checks
"""
return 'OK'