forked from BeanieODM/beanie
-
Notifications
You must be signed in to change notification settings - Fork 0
/
init.py
582 lines (489 loc) · 18.6 KB
/
init.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
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
import importlib
import inspect
from copy import copy
from typing import Optional, List, Type, Union
from motor.motor_asyncio import AsyncIOMotorDatabase, AsyncIOMotorClient
from pydantic import BaseModel
from pymongo import IndexModel
from beanie.exceptions import MongoDBVersionError, Deprecation
from beanie.odm.actions import ActionRegistry
from beanie.odm.cache import LRUCache
from beanie.odm.documents import DocType
from beanie.odm.documents import Document
from beanie.odm.fields import ExpressionField, LinkInfo
from beanie.odm.interfaces.detector import ModelType
from beanie.odm.settings.document import DocumentSettings, IndexModelField
from beanie.odm.settings.union_doc import UnionDocSettings
from beanie.odm.settings.view import ViewSettings
from beanie.odm.union_doc import UnionDoc
from beanie.odm.utils.relations import detect_link
from beanie.odm.views import View
class Output(BaseModel):
class_name: str
collection_name: str
class Initializer:
def __init__(
self,
database: AsyncIOMotorDatabase = None,
connection_string: Optional[str] = None,
document_models: Optional[
List[Union[Type["DocType"], Type["View"], str]]
] = None,
allow_index_dropping: bool = False,
recreate_views: bool = False,
):
"""
Beanie initializer
:param database: AsyncIOMotorDatabase - motor database instance
:param connection_string: str - MongoDB connection string
:param document_models: List[Union[Type[DocType], str]] - model classes
or strings with dot separated paths
:param allow_index_dropping: bool - if index dropping is allowed.
Default False
:return: None
"""
self.inited_classes: List[Type] = []
self.allow_index_dropping = allow_index_dropping
self.recreate_views = recreate_views
self.models_with_updated_forward_refs: List[Type[BaseModel]] = []
if (connection_string is None and database is None) or (
connection_string is not None and database is not None
):
raise ValueError(
"connection_string parameter or database parameter must be set"
)
if document_models is None:
raise ValueError("document_models parameter must be set")
if connection_string is not None:
database = AsyncIOMotorClient(
connection_string
).get_default_database()
self.database: AsyncIOMotorDatabase = database
sort_order = {
ModelType.UnionDoc: 0,
ModelType.Document: 1,
ModelType.View: 2,
}
self.document_models: List[Union[Type[DocType], Type[View]]] = [
self.get_model(model) if isinstance(model, str) else model
for model in document_models
]
self.document_models.sort(
key=lambda val: sort_order[val.get_model_type()]
)
def __await__(self):
for model in self.document_models:
yield from self.init_class(model).__await__()
# General
@staticmethod
def get_model(dot_path: str) -> Type["DocType"]:
"""
Get the model by the path in format bar.foo.Model
:param dot_path: str - dot seprated path to the model
:return: Type[DocType] - class of the model
"""
module_name, class_name = None, None
try:
module_name, class_name = dot_path.rsplit(".", 1)
return getattr(importlib.import_module(module_name), class_name)
except ValueError:
raise ValueError(
f"'{dot_path}' doesn't have '.' path, eg. path.to.your.model.class"
)
except AttributeError:
raise AttributeError(
f"module '{module_name}' has no class called '{class_name}'"
)
def init_settings(
self, cls: Union[Type[Document], Type[View], Type[UnionDoc]]
):
"""
Init Settings
:param cls: Union[Type[Document], Type[View], Type[UnionDoc]] - Class
to init settings
:return: None
"""
settings_class = getattr(cls, "Settings", None)
settings_vars = (
{} if settings_class is None else dict(vars(settings_class))
)
if issubclass(cls, Document):
cls._document_settings = DocumentSettings.parse_obj(settings_vars)
if issubclass(cls, View):
cls._settings = ViewSettings.parse_obj(settings_vars)
if issubclass(cls, UnionDoc):
cls._settings = UnionDocSettings.parse_obj(settings_vars)
def update_forward_refs(self, cls: Type[BaseModel]):
"""
Update forward refs
:param cls: Type[BaseModel] - class to update forward refs
:return: None
"""
if cls not in self.models_with_updated_forward_refs:
cls.update_forward_refs()
self.models_with_updated_forward_refs.append(cls)
# Document
@staticmethod
def set_default_class_vars(cls: Type[Document]):
"""
Set default class variables.
:param cls: Union[Type[Document], Type[View], Type[UnionDoc]] - Class
to init settings
:return:
"""
cls._children = dict()
cls._parent = None
cls._inheritance_inited = False
cls._class_id = None
cls._link_fields = None
@staticmethod
def init_cache(cls) -> None:
"""
Init model's cache
:return: None
"""
if cls.get_settings().use_cache:
cls._cache = LRUCache(
capacity=cls.get_settings().cache_capacity,
expiration_time=cls.get_settings().cache_expiration_time,
)
def init_document_fields(self, cls) -> None:
"""
Init class fields
:return: None
"""
self.update_forward_refs(cls)
def check_nested_links(
link_info: LinkInfo, prev_models: List[Type[BaseModel]]
):
if link_info.model_class in prev_models:
return
self.update_forward_refs(link_info.model_class)
for k, v in link_info.model_class.__fields__.items():
nested_link_info = detect_link(v)
if nested_link_info is None:
continue
if link_info.nested_links is None:
link_info.nested_links = {}
link_info.nested_links[v.name] = nested_link_info
new_prev_models = copy(prev_models)
new_prev_models.append(link_info.model_class)
check_nested_links(
nested_link_info, prev_models=new_prev_models
)
if cls._link_fields is None:
cls._link_fields = {}
for k, v in cls.__fields__.items():
path = v.alias or v.name
setattr(cls, k, ExpressionField(path))
link_info = detect_link(v)
if link_info is not None:
cls._link_fields[v.name] = link_info
check_nested_links(link_info, prev_models=[])
cls._hidden_fields = cls.get_hidden_fields()
@staticmethod
def init_actions(cls):
"""
Init event-based actions
"""
ActionRegistry.clean_actions(cls)
for attr in dir(cls):
f = getattr(cls, attr)
if inspect.isfunction(f):
if hasattr(f, "has_action"):
ActionRegistry.add_action(
document_class=cls,
event_types=f.event_types, # type: ignore
action_direction=f.action_direction, # type: ignore
funct=f,
)
async def init_document_collection(self, cls):
"""
Init collection for the Document-based class
:param cls:
:return:
"""
cls.set_database(self.database)
document_settings = cls.get_settings()
# register in the Union Doc
if document_settings.union_doc is not None:
name = cls.get_settings().name or cls.__name__
document_settings.name = document_settings.union_doc.register_doc(
name, cls
)
document_settings.union_doc_alias = name
# set a name
if not document_settings.name:
document_settings.name = cls.__name__
# check mongodb version fits
if (
document_settings.timeseries is not None
and cls._database_major_version < 5
):
raise MongoDBVersionError(
"Timeseries are supported by MongoDB version 5 and higher"
)
# create motor collection
if (
document_settings.timeseries is not None
and document_settings.name
not in await self.database.list_collection_names()
):
collection = await self.database.create_collection(
**document_settings.timeseries.build_query(
document_settings.name
)
)
else:
collection = self.database[document_settings.name]
cls.set_collection(collection)
async def init_indexes(self, cls, allow_index_dropping: bool = False):
"""
Async indexes initializer
"""
collection = cls.get_motor_collection()
document_settings = cls.get_settings()
index_information = await collection.index_information()
old_indexes = IndexModelField.from_motor_index_information(
index_information
)
new_indexes = []
# Indexed field wrapped with Indexed()
found_indexes = [
IndexModelField(
IndexModel(
[
(
fvalue.alias,
fvalue.type_._indexed[0],
)
],
**fvalue.type_._indexed[1],
)
)
for _, fvalue in cls.__fields__.items()
if hasattr(fvalue.type_, "_indexed") and fvalue.type_._indexed
]
if document_settings.merge_indexes:
result: List[IndexModelField] = []
for subclass in reversed(cls.mro()):
if issubclass(subclass, Document) and not subclass == Document:
if (
subclass not in self.inited_classes
and not subclass == cls
):
await self.init_class(subclass)
if subclass.get_settings().indexes:
result = IndexModelField.merge_indexes(
result, subclass.get_settings().indexes
)
found_indexes = IndexModelField.merge_indexes(
found_indexes, result
)
else:
if document_settings.indexes:
found_indexes = IndexModelField.merge_indexes(
found_indexes, document_settings.indexes
)
new_indexes += found_indexes
# delete indexes
# Only drop indexes if the user specifically allows for it
if allow_index_dropping:
for index in IndexModelField.list_difference(
old_indexes, new_indexes
):
await collection.drop_index(index.name)
# create indices
if found_indexes:
new_indexes += await collection.create_indexes(
IndexModelField.list_to_index_model(new_indexes)
)
async def init_document(self, cls: Type[Document]) -> Optional[Output]:
"""
Init Document-based class
:param cls:
:return:
"""
if cls is Document:
return None
# get db version
build_info = await self.database.command({"buildInfo": 1})
mongo_version = build_info["version"]
cls._database_major_version = int(mongo_version.split(".")[0])
if cls not in self.inited_classes:
self.set_default_class_vars(cls)
self.init_settings(cls)
bases = [b for b in cls.__bases__ if issubclass(b, Document)]
if len(bases) > 1:
return None
parent = bases[0]
output = await self.init_document(parent)
if cls.get_settings().is_root and (
parent is Document or not parent.get_settings().is_root
):
if cls.get_collection_name() is None:
cls.set_collection_name(cls.__name__)
output = Output(
class_name=cls.__name__,
collection_name=cls.get_collection_name(),
)
cls._class_id = cls.__name__
cls._inheritance_inited = True
elif output is not None:
output.class_name = f"{output.class_name}.{cls.__name__}"
cls._class_id = output.class_name
cls.set_collection_name(output.collection_name)
parent.add_child(cls._class_id, cls)
cls._parent = parent
cls._inheritance_inited = True
await self.init_document_collection(cls)
if not cls.get_settings().skip_indexes is True:
await self.init_indexes(cls, self.allow_index_dropping)
self.init_document_fields(cls)
self.init_cache(cls)
self.init_actions(cls)
self.inited_classes.append(cls)
return output
else:
if cls._inheritance_inited is True:
return Output(
class_name=cls._class_id,
collection_name=cls.get_collection_name(),
)
else:
return None
# Views
@staticmethod
def init_view_fields(cls) -> None:
"""
Init class fields
:return: None
"""
def check_nested_links(
link_info: LinkInfo, prev_models: List[Type[BaseModel]]
):
if link_info.model_class in prev_models:
return
for k, v in link_info.model_class.__fields__.items():
nested_link_info = detect_link(v)
if nested_link_info is None:
continue
if link_info.nested_links is None:
link_info.nested_links = {}
link_info.nested_links[v.name] = nested_link_info
new_prev_models = copy(prev_models)
new_prev_models.append(link_info.model_class)
check_nested_links(
nested_link_info, prev_models=new_prev_models
)
if cls._link_fields is None:
cls._link_fields = {}
for k, v in cls.__fields__.items():
path = v.alias or v.name
setattr(cls, k, ExpressionField(path))
link_info = detect_link(v)
if link_info is not None:
cls._link_fields[v.name] = link_info
check_nested_links(link_info, prev_models=[])
def init_view_collection(self, cls):
"""
Init collection for View
:param cls:
:return:
"""
view_settings = cls.get_settings()
if view_settings.name is None:
view_settings.name = cls.__name__
if inspect.isclass(view_settings.source):
view_settings.source = view_settings.source.get_collection_name()
view_settings.motor_db = self.database
view_settings.motor_collection = self.database[view_settings.name]
async def init_view(self, cls: Type[View]):
"""
Init View-based class
:param cls:
:return:
"""
self.init_settings(cls)
self.init_view_collection(cls)
self.init_view_fields(cls)
self.init_cache(cls)
collection_names = await self.database.list_collection_names()
if self.recreate_views or cls._settings.name not in collection_names:
if cls._settings.name in collection_names:
await cls.get_motor_collection().drop()
await self.database.command(
{
"create": cls.get_settings().name,
"viewOn": cls.get_settings().source,
"pipeline": cls.get_settings().pipeline,
}
)
# Union Doc
async def init_union_doc(self, cls: Type[UnionDoc]):
"""
Init Union Doc based class
:param cls:
:return:
"""
self.init_settings(cls)
if cls._settings.name is None:
cls._settings.name = cls.__name__
cls._settings.motor_db = self.database
cls._settings.motor_collection = self.database[cls._settings.name]
cls._is_inited = True
# Deprecations
@staticmethod
def check_deprecations(
cls: Union[Type[Document], Type[View], Type[UnionDoc]]
):
if hasattr(cls, "Collection"):
raise Deprecation(
"Collection inner class is not supported more. "
"Please use Settings instead. "
"https://beanie-odm.dev/tutorial/defining-a-document/#settings"
)
# Final
async def init_class(
self, cls: Union[Type[Document], Type[View], Type[UnionDoc]]
):
"""
Init Document, View or UnionDoc based class.
:param cls:
:return:
"""
self.check_deprecations(cls)
if issubclass(cls, Document):
await self.init_document(cls)
if issubclass(cls, View):
await self.init_view(cls)
if issubclass(cls, UnionDoc):
await self.init_union_doc(cls)
if hasattr(cls, "custom_init"):
await cls.custom_init() # type: ignore
async def init_beanie(
database: AsyncIOMotorDatabase = None,
connection_string: Optional[str] = None,
document_models: Optional[
List[Union[Type["DocType"], Type["View"], str]]
] = None,
allow_index_dropping: bool = False,
recreate_views: bool = False,
):
"""
Beanie initialization
:param database: AsyncIOMotorDatabase - motor database instance
:param connection_string: str - MongoDB connection string
:param document_models: List[Union[Type[DocType], str]] - model classes
or strings with dot separated paths
:param allow_index_dropping: bool - if index dropping is allowed.
Default False
:return: None
"""
await Initializer(
database=database,
connection_string=connection_string,
document_models=document_models,
allow_index_dropping=allow_index_dropping,
recreate_views=recreate_views,
)