-
Notifications
You must be signed in to change notification settings - Fork 11
/
Copy pathmodels.py
240 lines (195 loc) · 7.13 KB
/
models.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
from __future__ import annotations
from typing import Any, Callable, Type, TypeVar
from . import config, io_safe, utils
from .sessions import (
SessionDirFull,
SessionDirWhere,
SessionFileFull,
SessionFileKey,
SessionFileWhere,
)
T = TypeVar("T")
class OperationType:
"""
Legal:
- DDB.at("file")
- DDB.at("file", key="subkey")
- DDB.at("file", where=lambda k, v: ...)
- DDB.at("dir", "*")
- DDB.at("dir", "*", where=lambda k, v: ...)
Illegal:
- DDB.at("file", key="subkey", where=lambda k, v: ...)
- DDB.at("dir", key="subkey", where=lambda k, v: ...)
- DDB.at("dir", key="subkey")
"""
def __init__(self, path: str, key: str, where: Callable) -> None:
self.dir = "*" in path
self.file = not self.dir
self.where = where is not None
self.key = key is not None
if self.key and self.where:
raise TypeError("Cannot specify both key and where")
if self.key and self.dir:
raise TypeError("Cannot specify sub-key when selecting a folder. Specify the key in the path instead.")
@property
def file_normal(self) -> bool:
return self.file and not self.where and not self.key
@property
def file_key(self) -> bool:
return self.file and not self.where and self.key
@property
def file_where(self) -> bool:
return self.file and self.where and not self.key
@property
def dir_normal(self) -> bool:
return self.dir and not self.where and not self.key
@property
def dir_where(self) -> bool:
return self.dir and self.where and not self.key
def at(*path, key: str = None, where: Callable[[Any, Any], bool] = None) -> DDBMethodChooser:
"""
Select a file or folder to perform an operation on.
If you want to select a specific key in a file, use the `key` parameter,
e.g. `DDB.at("file", key="subkey")`.
If you want to select an entire folder, use the `*` wildcard,
eg. `DDB.at("folder", "*")`, or `DDB.at("folder/*")`. You can also use
the `where` callback to select a subset of the file or folder.
If the callback returns `True`, the item will be selected. The callback
needs to accept a key and value as arguments.
Args:
- `path`: The path to the file or folder. Can be a string, a
comma-separated list of strings, or a list.
- `key`: The key to select from the file.
- `where`: A function that takes a key and value and returns `True` if the
key should be selected.
Beware: If you select a folder with the `*` wildcard, you can't use the `key` parameter.
Also, you cannot use the `key` and `where` parameters at the same time.
"""
return DDBMethodChooser(path, key, where)
class DDBMethodChooser:
__slots__ = ("path", "key", "where", "op_type")
path: str
key: str
where: Callable[[Any, Any], bool]
op_type: OperationType
def __init__(
self,
path: tuple,
key: str = None,
where: Callable[[Any, Any], bool] = None,
) -> None:
# Convert path to a list of strings
pc = []
for p in path:
pc += p if isinstance(p, list) else [p]
self.path = "/".join([str(p) for p in pc])
self.key = key
self.where = where
self.op_type = OperationType(self.path, self.key, self.where)
# Invariants:
# - Both key and where cannot be not None at the same time
# - If key is not None, then there is no wildcard in the path.
def exists(self) -> bool:
"""
Efficiently checks if a database exists. If the selected path contains
a wildcard, it will return True if at least one file exists in the folder.
If a key was specified, check if it exists in a database.
The key can be anywhere in the database, even deeply nested.
As long it exists as a key in any dict, it will be found.
"""
if self.where is not None:
raise RuntimeError("DDB.at(where=...).exists() cannot be used with the where parameter")
if not utils.file_exists(self.path):
return False
if self.key is None:
return True
# Key is passed and occurs is True
return io_safe.partial_read(self.path, key=self.key) is not None
def create(self, data: dict | None = None, force_overwrite: bool = False) -> None:
"""
Create a new file with the given data as the content. If the file
already exists, a FileExistsError will be raised unless
`force_overwrite` is set to True.
Args:
- `data`: The data to write to the file. If not specified, it will be `{}`
will be written.
- `force_overwrite`: If `True`, will overwrite the file if it already
exists, defaults to False (optional).
"""
if self.where is not None or self.key is not None:
raise RuntimeError("DDB.at().create() cannot be used with the where or key parameters")
# Except if db exists and force_overwrite is False
if not force_overwrite and self.exists():
raise FileExistsError(
f"Database {self.path} already exists in {config.storage_directory}. Pass force_overwrite=True to overwrite."
)
# Write db to file
if data is None:
data = {}
io_safe.write(self.path, data)
def delete(self) -> None:
"""
Delete the file at the selected path.
"""
if self.where is not None or self.key is not None:
raise RuntimeError("DDB.at().delete() cannot be used with the where or key parameters")
io_safe.delete(self.path)
def read(self, as_type: Type[T] = None) -> dict | T | None:
"""
Reads a file or folder depending on previous `.at(...)` selection.
Args:
- `as_type`: If provided, return the value as the given type.
Eg. as_type=str will return str(value).
"""
def type_cast(value):
if as_type is None:
return value
return as_type(value)
data = {}
if self.op_type.file_normal:
data = io_safe.read(self.path)
elif self.op_type.file_key:
data = io_safe.partial_read(self.path, self.key)
elif self.op_type.file_where:
file_content = io_safe.read(self.path)
if file_content is None:
return None
for k, v in file_content.items():
if self.where(k, type_cast(v)):
data[k] = v
elif self.op_type.dir_normal:
pattern_paths = utils.find_all(self.path)
data = {n.split("/")[-1]: io_safe.read(n) for n in pattern_paths}
elif self.op_type.dir_where:
for db_name in utils.find_all(self.path):
k, v = db_name.split("/")[-1], io_safe.read(db_name)
if self.where(k, type_cast(v)):
data[k] = v
return type_cast(data)
def session(
self, as_type: Type[T] = None
) -> SessionFileFull[T] | SessionFileKey[T] | SessionFileWhere[T] | SessionDirFull[T] | SessionDirWhere[T]:
"""
Opens a session to the selected file(s) or folder, depending on previous
`.at(...)` selection. Inside the with block, you have exclusive access
to the file(s) or folder.
Call `session.write()` to write the data to the file(s) or folder.
Args:
- `as_type`: If provided, cast the value to the given type.
Eg. as_type=str will return str(value).
Raises:
- `FileNotFoundError`: If the file does not exist.
- `KeyError`: If a key is specified and it does not exist.
Returns:
- Tuple of (session_object, data)
"""
if self.op_type.file_normal:
return SessionFileFull(self.path, as_type)
if self.op_type.file_key:
return SessionFileKey(self.path, self.key, as_type)
if self.op_type.file_where:
return SessionFileWhere(self.path, self.where, as_type)
if self.op_type.dir_normal:
return SessionDirFull(self.path, as_type)
if self.op_type.dir_where:
return SessionDirWhere(self.path, self.where, as_type)