forked from LAION-AI/Open-Assistant
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathuser_repository.py
348 lines (289 loc) · 12.9 KB
/
user_repository.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
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
from typing import Optional
from uuid import UUID
from oasst_backend.config import settings
from oasst_backend.models import ApiClient, User
from oasst_backend.utils.database_utils import CommitMode, managed_tx_method
from oasst_shared import utils as shared_utils
from oasst_shared.exceptions import OasstError, OasstErrorCode
from oasst_shared.schemas import protocol as protocol_schema
from oasst_shared.utils import utcnow
from sqlalchemy.exc import IntegrityError
from sqlmodel import Session, and_, or_
from starlette.status import HTTP_403_FORBIDDEN, HTTP_404_NOT_FOUND
class UserRepository:
def __init__(self, db: Session, api_client: ApiClient):
self.db = db
self.api_client = api_client
def get_user(self, id: UUID, api_client_id: Optional[UUID] = None) -> User:
"""
Get a user by global user ID. All clients may get users with the same API client ID as the querying client.
Trusted clients can get any user.
Raises:
OasstError: 403 if untrusted client attempts to query foreign users. 404 if user with ID not found.
"""
if not self.api_client.trusted and api_client_id is None:
api_client_id = self.api_client.id
if not self.api_client.trusted and api_client_id != self.api_client.id:
# Unprivileged client requests foreign user
raise OasstError("Forbidden", OasstErrorCode.API_CLIENT_NOT_AUTHORIZED, HTTP_403_FORBIDDEN)
# Will always be unique
user_query = self.db.query(User).filter(User.id == id)
if api_client_id:
user_query = user_query.filter(User.api_client_id == api_client_id)
user: User = user_query.first()
if user is None:
raise OasstError("User not found", OasstErrorCode.USER_NOT_FOUND, HTTP_404_NOT_FOUND)
return user
def query_frontend_user(
self, auth_method: str, username: str, api_client_id: Optional[UUID] = None
) -> Optional[User]:
if not api_client_id:
api_client_id = self.api_client.id
if not self.api_client.trusted and api_client_id != self.api_client.id:
# Unprivileged API client asks for foreign user
raise OasstError("Forbidden", OasstErrorCode.API_CLIENT_NOT_AUTHORIZED, HTTP_403_FORBIDDEN)
user: User = (
self.db.query(User)
.filter(User.auth_method == auth_method, User.username == username, User.api_client_id == api_client_id)
.first()
)
if user is None:
raise OasstError("User not found", OasstErrorCode.USER_NOT_FOUND, HTTP_404_NOT_FOUND)
return user
@managed_tx_method(CommitMode.COMMIT)
def update_user(
self,
id: UUID,
display_name: Optional[str] = None,
enabled: Optional[bool] = None,
notes: Optional[str] = None,
show_on_leaderboard: Optional[bool] = None,
tos_acceptance: Optional[bool] = None,
) -> User:
"""
Update a user by global user ID to disable or set admin notes. Only trusted clients may update users.
Raises:
OasstError: 403 if untrusted client attempts to update a user. 404 if user with ID not found.
"""
if not self.api_client.trusted:
raise OasstError("Forbidden", OasstErrorCode.API_CLIENT_NOT_AUTHORIZED, HTTP_403_FORBIDDEN)
user: User = self.db.query(User).filter(User.id == id).first()
if user is None:
raise OasstError("User not found", OasstErrorCode.USER_NOT_FOUND, HTTP_404_NOT_FOUND)
if enabled is not None:
user.enabled = enabled
if notes is not None:
user.notes = notes
if show_on_leaderboard is not None:
user.show_on_leaderboard = show_on_leaderboard
if tos_acceptance:
user.tos_acceptance_date = utcnow()
if display_name is not None:
user.display_name = display_name
self.db.add(user)
return user
@managed_tx_method(CommitMode.COMMIT)
def mark_user_deleted(self, id: UUID) -> None:
"""
Update a user by global user ID to set deleted flag. Only trusted clients may delete users.
User deletion anonymises the data of the user.
Raises:
OasstError: 403 if untrusted client attempts to delete a user. 404 if user with ID not found.
"""
if not self.api_client.trusted:
raise OasstError("Forbidden", OasstErrorCode.API_CLIENT_NOT_AUTHORIZED, HTTP_403_FORBIDDEN)
user: User = self.db.query(User).filter(User.id == id).first()
if user is None:
raise OasstError("User not found", OasstErrorCode.USER_NOT_FOUND, HTTP_404_NOT_FOUND)
user.deleted = True
# Anonymise user data
user.display_name = shared_utils.DELETED_USER_DISPLAY_NAME
# Ensure uniqueness of (username, auth_method, api_client_id) Index
user.username = f"{shared_utils.DELETED_USER_ID_PREFIX}{user.id}"
user.show_on_leaderboard = False
self.db.add(user)
@managed_tx_method(CommitMode.COMMIT)
def _lookup_user_tx(
self,
*,
username: str,
auth_method: str,
display_name: Optional[str] = None,
create_missing: bool = True,
) -> User | None:
user: User = (
self.db.query(User)
.filter(
User.api_client_id == self.api_client.id,
User.username == username,
User.auth_method == auth_method,
)
.first()
)
if user is None:
if create_missing:
# user is unknown, create new record
user = User(
username=username,
display_name=display_name,
api_client_id=self.api_client.id,
auth_method=auth_method,
)
if auth_method == "system":
user.show_on_leaderboard = False # don't show system users, e.g. import user
user.tos_acceptance_date = utcnow()
self.db.add(user)
elif display_name and display_name != user.display_name:
# we found the user but the display name changed
user.display_name = display_name
self.db.add(user)
return user
def lookup_client_user(self, client_user: protocol_schema.User, create_missing: bool = True) -> User | None:
if not client_user:
return None
if not (client_user.auth_method and client_user.id):
raise OasstError("Auth method or username missing.", OasstErrorCode.AUTH_AND_USERNAME_REQUIRED)
num_retries = settings.DATABASE_MAX_TX_RETRY_COUNT
for i in range(num_retries):
try:
return self._lookup_user_tx(
username=client_user.id,
auth_method=client_user.auth_method,
display_name=client_user.display_name,
create_missing=create_missing,
)
except IntegrityError:
# catch UniqueViolation exception, for concurrent requests due to conflicts in ix_user_username
if i + 1 == num_retries:
raise
@managed_tx_method(CommitMode.COMMIT)
def lookup_system_user(self, username: str, create_missing: bool = True) -> User | None:
return self._lookup_user_tx(
username=username,
auth_method="system",
display_name=f"__system__/{username}",
create_missing=create_missing,
)
def query_users_ordered_by_username(
self,
api_client_id: Optional[UUID] = None,
gte_username: Optional[str] = None,
gt_id: Optional[UUID] = None,
lte_username: Optional[str] = None,
lt_id: Optional[UUID] = None,
auth_method: Optional[str] = None,
search_text: Optional[str] = None,
limit: Optional[int] = 100,
desc: bool = False,
) -> list[User]:
if not self.api_client.trusted:
if not api_client_id:
api_client_id = self.api_client.id
if api_client_id != self.api_client.id:
raise OasstError("Forbidden", OasstErrorCode.API_CLIENT_NOT_AUTHORIZED, HTTP_403_FORBIDDEN)
qry = self.db.query(User)
if gte_username is not None:
if gt_id:
qry = qry.filter(
or_(User.username > gte_username, and_(User.username == gte_username, User.id > gt_id))
)
else:
qry = qry.filter(User.username >= gte_username)
elif gt_id:
raise OasstError("Need id and name for keyset pagination", OasstErrorCode.GENERIC_ERROR)
if lte_username is not None:
if lt_id:
qry = qry.filter(
or_(User.username < lte_username, and_(User.username == lte_username, User.id < lt_id))
)
else:
qry = qry.filter(User.username <= lte_username)
elif lt_id:
raise OasstError("Need id and name for keyset pagination", OasstErrorCode.GENERIC_ERROR)
if auth_method:
qry = qry.filter(User.auth_method == auth_method)
if api_client_id:
qry = qry.filter(User.api_client_id == api_client_id)
if search_text:
pattern = "%{}%".format(search_text.replace("\\", "\\\\").replace("_", "\\_").replace("%", "\\%"))
qry = qry.filter(User.username.like(pattern))
if desc:
qry = qry.order_by(User.username.desc(), User.id.desc())
else:
qry = qry.order_by(User.username, User.id)
if limit is not None:
qry = qry.limit(limit)
return qry.all()
def query_users_ordered_by_display_name(
self,
gte_display_name: Optional[str] = None,
gt_id: Optional[UUID] = None,
lte_display_name: Optional[str] = None,
lt_id: Optional[UUID] = None,
api_client_id: Optional[UUID] = None,
auth_method: Optional[str] = None,
search_text: Optional[str] = None,
limit: Optional[int] = 100,
desc: bool = False,
) -> list[User]:
if not self.api_client.trusted:
if not api_client_id:
# Let unprivileged api clients query their own users without api_client_id being set
api_client_id = self.api_client.id
if api_client_id != self.api_client.id:
# Unprivileged api client asks for foreign users
raise OasstError("Forbidden", OasstErrorCode.API_CLIENT_NOT_AUTHORIZED, HTTP_403_FORBIDDEN)
qry = self.db.query(User)
if gte_display_name is not None:
if gt_id:
qry = qry.filter(
or_(
User.display_name > gte_display_name,
and_(User.display_name == gte_display_name, User.id > gt_id),
)
)
else:
qry = qry.filter(User.display_name >= gte_display_name)
elif gt_id:
raise OasstError("Need id and name for keyset pagination", OasstErrorCode.GENERIC_ERROR)
if lte_display_name is not None:
if lt_id:
qry = qry.filter(
or_(
User.display_name < lte_display_name,
and_(User.display_name == lte_display_name, User.id < lt_id),
)
)
else:
qry = qry.filter(User.display_name <= lte_display_name)
elif lt_id:
raise OasstError("Need id and name for keyset pagination", OasstErrorCode.GENERIC_ERROR)
if auth_method:
qry = qry.filter(User.auth_method == auth_method)
if api_client_id:
qry = qry.filter(User.api_client_id == api_client_id)
if search_text:
pattern = "%{}%".format(search_text.replace("\\", "\\\\").replace("_", "\\_").replace("%", "\\%"))
qry = qry.filter(User.display_name.like(pattern))
if auth_method:
qry = qry.filter(User.auth_method == auth_method)
if desc:
qry = qry.order_by(User.display_name.desc(), User.id.desc())
else:
qry = qry.order_by(User.display_name, User.id)
if limit is not None:
qry = qry.limit(limit)
return qry.all()
@managed_tx_method(CommitMode.FLUSH)
def update_user_last_activity(self, user: User, update_streak: bool = False) -> None:
current_time = utcnow()
user.last_activity_date = current_time
if update_streak:
if user.streak_last_day_date is None or user.streak_last_day_date > current_time:
# begin new streak
user.streak_last_day_date = current_time
user.streak_days = 0
else:
# update streak day count
user.streak_days = (current_time - user.streak_last_day_date).days
self.db.add(user)