GeneralManager 0.1.2__py3-none-any.whl → 0.2.0__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- general_manager/auxiliary/filterParser.py +54 -15
- general_manager/auxiliary/noneToZero.py +9 -0
- general_manager/interface/databaseInterface.py +23 -0
- general_manager/rule/handler.py +152 -40
- general_manager/rule/rule.py +4 -2
- {generalmanager-0.1.2.dist-info → generalmanager-0.2.0.dist-info}/METADATA +1 -1
- {generalmanager-0.1.2.dist-info → generalmanager-0.2.0.dist-info}/RECORD +10 -10
- {generalmanager-0.1.2.dist-info → generalmanager-0.2.0.dist-info}/WHEEL +1 -1
- {generalmanager-0.1.2.dist-info → generalmanager-0.2.0.dist-info}/licenses/LICENSE +0 -0
- {generalmanager-0.1.2.dist-info → generalmanager-0.2.0.dist-info}/top_level.txt +0 -0
@@ -1,9 +1,23 @@
|
|
1
|
-
from
|
1
|
+
from __future__ import annotations
|
2
|
+
from typing import Any, Callable
|
3
|
+
from general_manager.manager.input import Input
|
2
4
|
|
3
5
|
|
4
6
|
def parse_filters(
|
5
|
-
filter_kwargs: dict[str, Any], possible_values: dict[str,
|
7
|
+
filter_kwargs: dict[str, Any], possible_values: dict[str, Input]
|
6
8
|
) -> dict[str, dict]:
|
9
|
+
"""
|
10
|
+
Parses filter keyword arguments and constructs filter criteria for input fields.
|
11
|
+
|
12
|
+
For each filter key-value pair, determines the target field and lookup type, validates the field, and generates either filter keyword arguments or filter functions depending on the field's type. Returns a dictionary mapping field names to filter criteria, supporting both direct lookups and dynamic filter functions.
|
13
|
+
|
14
|
+
Args:
|
15
|
+
filter_kwargs: Dictionary of filter keys and their corresponding values.
|
16
|
+
possible_values: Mapping of field names to Input definitions used for validation and casting.
|
17
|
+
|
18
|
+
Returns:
|
19
|
+
A dictionary where each key is a field name and each value is a dictionary containing either 'filter_kwargs' for direct lookups or 'filter_funcs' for dynamic filtering.
|
20
|
+
"""
|
7
21
|
from general_manager.manager.generalManager import GeneralManager
|
8
22
|
|
9
23
|
filters = {}
|
@@ -42,6 +56,18 @@ def parse_filters(
|
|
42
56
|
|
43
57
|
|
44
58
|
def create_filter_function(lookup_str: str, value: Any) -> Callable[[Any], bool]:
|
59
|
+
"""
|
60
|
+
Creates a filter function based on an attribute path and lookup operation.
|
61
|
+
|
62
|
+
The returned function checks whether an object's nested attribute(s) satisfy a specified comparison or matching operation against a given value.
|
63
|
+
|
64
|
+
Args:
|
65
|
+
lookup_str: Attribute path and lookup operation, separated by double underscores (e.g., "age__gte", "name__contains").
|
66
|
+
value: The value to compare against.
|
67
|
+
|
68
|
+
Returns:
|
69
|
+
A function that takes an object and returns True if the object's attribute(s) match the filter condition, otherwise False.
|
70
|
+
"""
|
45
71
|
parts = lookup_str.split("__") if lookup_str else []
|
46
72
|
if parts and parts[-1] in [
|
47
73
|
"exact",
|
@@ -71,26 +97,39 @@ def create_filter_function(lookup_str: str, value: Any) -> Callable[[Any], bool]
|
|
71
97
|
return filter_func
|
72
98
|
|
73
99
|
|
74
|
-
def apply_lookup(
|
100
|
+
def apply_lookup(value_to_check: Any, lookup: str, filter_value: Any) -> bool:
|
101
|
+
"""
|
102
|
+
Evaluates whether a value satisfies a specified lookup condition against a filter value.
|
103
|
+
|
104
|
+
Supports comparison and string operations such as "exact", "lt", "lte", "gt", "gte", "contains", "startswith", "endswith", and "in". Returns False for unsupported lookups or if a TypeError occurs.
|
105
|
+
|
106
|
+
Args:
|
107
|
+
value_to_check: The value to be compared or checked.
|
108
|
+
lookup: The lookup operation to perform.
|
109
|
+
filter_value: The value to compare against.
|
110
|
+
|
111
|
+
Returns:
|
112
|
+
True if the lookup condition is satisfied; otherwise, False.
|
113
|
+
"""
|
75
114
|
try:
|
76
115
|
if lookup == "exact":
|
77
|
-
return
|
116
|
+
return value_to_check == filter_value
|
78
117
|
elif lookup == "lt":
|
79
|
-
return
|
118
|
+
return value_to_check < filter_value
|
80
119
|
elif lookup == "lte":
|
81
|
-
return
|
120
|
+
return value_to_check <= filter_value
|
82
121
|
elif lookup == "gt":
|
83
|
-
return
|
122
|
+
return value_to_check > filter_value
|
84
123
|
elif lookup == "gte":
|
85
|
-
return
|
86
|
-
elif lookup == "contains" and isinstance(
|
87
|
-
return
|
88
|
-
elif lookup == "startswith" and isinstance(
|
89
|
-
return
|
90
|
-
elif lookup == "endswith" and isinstance(
|
91
|
-
return
|
124
|
+
return value_to_check >= filter_value
|
125
|
+
elif lookup == "contains" and isinstance(value_to_check, str):
|
126
|
+
return filter_value in value_to_check
|
127
|
+
elif lookup == "startswith" and isinstance(value_to_check, str):
|
128
|
+
return value_to_check.startswith(filter_value)
|
129
|
+
elif lookup == "endswith" and isinstance(value_to_check, str):
|
130
|
+
return value_to_check.endswith(filter_value)
|
92
131
|
elif lookup == "in":
|
93
|
-
return
|
132
|
+
return value_to_check in filter_value
|
94
133
|
else:
|
95
134
|
return False
|
96
135
|
except TypeError as e:
|
@@ -7,6 +7,15 @@ NUMBERVALUE = TypeVar("NUMBERVALUE", int, float, Measurement)
|
|
7
7
|
def noneToZero(
|
8
8
|
value: Optional[NUMBERVALUE],
|
9
9
|
) -> NUMBERVALUE | Literal[0]:
|
10
|
+
"""
|
11
|
+
Returns zero if the input is None; otherwise, returns the original value.
|
12
|
+
|
13
|
+
Args:
|
14
|
+
value: An integer, float, or Measurement, or None.
|
15
|
+
|
16
|
+
Returns:
|
17
|
+
The original value if not None, otherwise 0.
|
18
|
+
"""
|
10
19
|
if value is None:
|
11
20
|
return 0
|
12
21
|
return value
|
@@ -645,6 +645,15 @@ class DatabaseBucket(Bucket[GeneralManagerType]):
|
|
645
645
|
def __mergeFilterDefinitions(
|
646
646
|
self, basis: dict[str, list[Any]], **kwargs: Any
|
647
647
|
) -> dict[str, list[Any]]:
|
648
|
+
"""
|
649
|
+
Merges filter definitions by combining existing filter criteria with additional keyword arguments.
|
650
|
+
|
651
|
+
Args:
|
652
|
+
basis: A dictionary mapping filter keys to lists of values.
|
653
|
+
|
654
|
+
Returns:
|
655
|
+
A dictionary where each key maps to a list of all values from both the original basis and the new keyword arguments.
|
656
|
+
"""
|
648
657
|
kwarg_filter: dict[str, list[Any]] = {}
|
649
658
|
for key, value in basis.items():
|
650
659
|
kwarg_filter[key] = value
|
@@ -655,6 +664,11 @@ class DatabaseBucket(Bucket[GeneralManagerType]):
|
|
655
664
|
return kwarg_filter
|
656
665
|
|
657
666
|
def filter(self, **kwargs: Any) -> DatabaseBucket[GeneralManagerType]:
|
667
|
+
"""
|
668
|
+
Returns a new bucket containing manager instances matching the given filter criteria.
|
669
|
+
|
670
|
+
Additional filter keyword arguments are merged with existing filters to refine the queryset.
|
671
|
+
"""
|
658
672
|
merged_filter = self.__mergeFilterDefinitions(self.filters, **kwargs)
|
659
673
|
return self.__class__(
|
660
674
|
self._data.filter(**kwargs),
|
@@ -664,6 +678,15 @@ class DatabaseBucket(Bucket[GeneralManagerType]):
|
|
664
678
|
)
|
665
679
|
|
666
680
|
def exclude(self, **kwargs: Any) -> DatabaseBucket[GeneralManagerType]:
|
681
|
+
"""
|
682
|
+
Returns a new bucket excluding items matching the given filter criteria.
|
683
|
+
|
684
|
+
Args:
|
685
|
+
**kwargs: Field lookups to exclude from the queryset.
|
686
|
+
|
687
|
+
Returns:
|
688
|
+
A DatabaseBucket containing items not matching the specified filters.
|
689
|
+
"""
|
667
690
|
merged_exclude = self.__mergeFilterDefinitions(self.excludes, **kwargs)
|
668
691
|
return self.__class__(
|
669
692
|
self._data.exclude(**kwargs),
|
general_manager/rule/handler.py
CHANGED
@@ -2,19 +2,19 @@
|
|
2
2
|
|
3
3
|
from __future__ import annotations
|
4
4
|
import ast
|
5
|
-
from typing import Dict, Optional, TYPE_CHECKING
|
5
|
+
from typing import Dict, Optional, TYPE_CHECKING
|
6
|
+
from abc import ABC, abstractmethod
|
6
7
|
|
7
8
|
if TYPE_CHECKING:
|
8
|
-
# Forward-Reference auf Rule mit beliebigem Generic-Parameter
|
9
9
|
from general_manager.rule.rule import Rule
|
10
|
-
from general_manager.manager import GeneralManager
|
11
10
|
|
12
11
|
|
13
|
-
class BaseRuleHandler:
|
12
|
+
class BaseRuleHandler(ABC):
|
14
13
|
"""Schnittstelle für Rule-Handler."""
|
15
14
|
|
16
15
|
function_name: str # ClassVar, der Name, unter dem dieser Handler registriert wird
|
17
16
|
|
17
|
+
@abstractmethod
|
18
18
|
def handle(
|
19
19
|
self,
|
20
20
|
node: ast.AST,
|
@@ -27,11 +27,13 @@ class BaseRuleHandler:
|
|
27
27
|
"""
|
28
28
|
Erstelle Fehlermeldungen für den Vergleichs- oder Funktionsaufruf.
|
29
29
|
"""
|
30
|
-
|
30
|
+
pass
|
31
31
|
|
32
32
|
|
33
|
-
class
|
34
|
-
|
33
|
+
class FunctionHandler(BaseRuleHandler, ABC):
|
34
|
+
"""
|
35
|
+
Handler für Funktionsaufrufe wie len(), max(), min(), sum().
|
36
|
+
"""
|
35
37
|
|
36
38
|
def handle(
|
37
39
|
self,
|
@@ -42,7 +44,6 @@ class LenHandler(BaseRuleHandler):
|
|
42
44
|
var_values: Dict[str, Optional[object]],
|
43
45
|
rule: Rule,
|
44
46
|
) -> Dict[str, str]:
|
45
|
-
# Wir erwarten hier einen Compare-Knoten
|
46
47
|
if not isinstance(node, ast.Compare):
|
47
48
|
return {}
|
48
49
|
compare_node = node
|
@@ -51,11 +52,45 @@ class LenHandler(BaseRuleHandler):
|
|
51
52
|
right_node = compare_node.comparators[0]
|
52
53
|
op_symbol = rule._get_op_symbol(op)
|
53
54
|
|
54
|
-
# Argument von len(...)
|
55
55
|
if not (isinstance(left_node, ast.Call) and left_node.args):
|
56
|
-
raise ValueError("Invalid left node for
|
56
|
+
raise ValueError(f"Invalid left node for {self.function_name}() function")
|
57
57
|
arg_node = left_node.args[0]
|
58
58
|
|
59
|
+
return self.aggregate(
|
60
|
+
arg_node,
|
61
|
+
right_node,
|
62
|
+
op_symbol,
|
63
|
+
var_values,
|
64
|
+
rule,
|
65
|
+
)
|
66
|
+
|
67
|
+
@abstractmethod
|
68
|
+
def aggregate(
|
69
|
+
self,
|
70
|
+
arg_node: ast.expr,
|
71
|
+
right_node: ast.expr,
|
72
|
+
op_symbol: str,
|
73
|
+
var_values: Dict[str, Optional[object]],
|
74
|
+
rule: Rule,
|
75
|
+
) -> Dict[str, str]:
|
76
|
+
"""
|
77
|
+
Aggregiere die Werte und erstelle eine Fehlermeldung.
|
78
|
+
"""
|
79
|
+
raise NotImplementedError("Subclasses should implement this method")
|
80
|
+
|
81
|
+
|
82
|
+
class LenHandler(FunctionHandler):
|
83
|
+
function_name = "len"
|
84
|
+
|
85
|
+
def aggregate(
|
86
|
+
self,
|
87
|
+
arg_node: ast.expr,
|
88
|
+
right_node: ast.expr,
|
89
|
+
op_symbol: str,
|
90
|
+
var_values: Dict[str, Optional[object]],
|
91
|
+
rule: Rule,
|
92
|
+
) -> Dict[str, str]:
|
93
|
+
|
59
94
|
var_name = rule._get_node_name(arg_node)
|
60
95
|
var_value = var_values.get(var_name)
|
61
96
|
|
@@ -65,7 +100,6 @@ class LenHandler(BaseRuleHandler):
|
|
65
100
|
raise ValueError("Invalid arguments for len function")
|
66
101
|
right_value: int | float = raw
|
67
102
|
|
68
|
-
# Schwellenwert je nach Operator
|
69
103
|
if op_symbol == ">":
|
70
104
|
threshold = right_value + 1
|
71
105
|
elif op_symbol == ">=":
|
@@ -83,40 +117,118 @@ class LenHandler(BaseRuleHandler):
|
|
83
117
|
elif op_symbol in ("<", "<="):
|
84
118
|
msg = f"[{var_name}] ({var_value}) is too long (max length {threshold})!"
|
85
119
|
else:
|
86
|
-
msg = f"[{var_name}] ({var_value}) must
|
120
|
+
msg = f"[{var_name}] ({var_value}) must have a length of {right_value}!"
|
87
121
|
|
88
122
|
return {var_name: msg}
|
89
123
|
|
90
124
|
|
91
|
-
class
|
92
|
-
function_name = "
|
125
|
+
class SumHandler(FunctionHandler):
|
126
|
+
function_name = "sum"
|
93
127
|
|
94
|
-
def
|
128
|
+
def aggregate(
|
95
129
|
self,
|
96
|
-
|
97
|
-
|
98
|
-
|
99
|
-
op: Optional[ast.cmpop],
|
130
|
+
arg_node: ast.expr,
|
131
|
+
right_node: ast.expr,
|
132
|
+
op_symbol: str,
|
100
133
|
var_values: Dict[str, Optional[object]],
|
101
|
-
rule: Rule
|
134
|
+
rule: Rule,
|
102
135
|
) -> Dict[str, str]:
|
103
|
-
|
104
|
-
|
105
|
-
|
106
|
-
|
107
|
-
|
108
|
-
|
109
|
-
if
|
110
|
-
|
111
|
-
|
112
|
-
|
113
|
-
|
114
|
-
|
115
|
-
|
116
|
-
|
117
|
-
|
118
|
-
|
119
|
-
|
120
|
-
|
121
|
-
|
122
|
-
|
136
|
+
|
137
|
+
# Name und Wert holen
|
138
|
+
var_name = rule._get_node_name(arg_node)
|
139
|
+
raw_iter = var_values.get(var_name)
|
140
|
+
if not isinstance(raw_iter, (list, tuple)):
|
141
|
+
raise ValueError("sum expects an iterable of numbers")
|
142
|
+
if not all(isinstance(x, (int, float)) for x in raw_iter):
|
143
|
+
raise ValueError("sum expects an iterable of numbers")
|
144
|
+
total = sum(raw_iter)
|
145
|
+
|
146
|
+
# Schwellenwert aus dem rechten Knoten
|
147
|
+
raw = rule._eval_node(right_node)
|
148
|
+
if not isinstance(raw, (int, float)):
|
149
|
+
raise ValueError("Invalid arguments for sum function")
|
150
|
+
right_value = raw
|
151
|
+
|
152
|
+
# Message formulieren
|
153
|
+
if op_symbol in (">", ">="):
|
154
|
+
msg = (
|
155
|
+
f"[{var_name}] (sum={total}) is too small ({op_symbol} {right_value})!"
|
156
|
+
)
|
157
|
+
elif op_symbol in ("<", "<="):
|
158
|
+
msg = (
|
159
|
+
f"[{var_name}] (sum={total}) is too large ({op_symbol} {right_value})!"
|
160
|
+
)
|
161
|
+
else:
|
162
|
+
msg = f"[{var_name}] (sum={total}) must be {right_value}!"
|
163
|
+
|
164
|
+
return {var_name: msg}
|
165
|
+
|
166
|
+
|
167
|
+
class MaxHandler(FunctionHandler):
|
168
|
+
function_name = "max"
|
169
|
+
|
170
|
+
def aggregate(
|
171
|
+
self,
|
172
|
+
arg_node: ast.expr,
|
173
|
+
right_node: ast.expr,
|
174
|
+
op_symbol: str,
|
175
|
+
var_values: Dict[str, Optional[object]],
|
176
|
+
rule: Rule,
|
177
|
+
) -> Dict[str, str]:
|
178
|
+
|
179
|
+
var_name = rule._get_node_name(arg_node)
|
180
|
+
raw_iter = var_values.get(var_name)
|
181
|
+
if not isinstance(raw_iter, (list, tuple)) or len(raw_iter) == 0:
|
182
|
+
raise ValueError("max expects a non-empty iterable")
|
183
|
+
if not all(isinstance(x, (int, float)) for x in raw_iter):
|
184
|
+
raise ValueError("max expects an iterable of numbers")
|
185
|
+
current = max(raw_iter)
|
186
|
+
|
187
|
+
raw = rule._eval_node(right_node)
|
188
|
+
if not isinstance(raw, (int, float)):
|
189
|
+
raise ValueError("Invalid arguments for max function")
|
190
|
+
right_value = raw
|
191
|
+
|
192
|
+
if op_symbol in (">", ">="):
|
193
|
+
msg = f"[{var_name}] (max={current}) is too small ({op_symbol} {right_value})!"
|
194
|
+
elif op_symbol in ("<", "<="):
|
195
|
+
msg = f"[{var_name}] (max={current}) is too large ({op_symbol} {right_value})!"
|
196
|
+
else:
|
197
|
+
msg = f"[{var_name}] (max={current}) must be {right_value}!"
|
198
|
+
|
199
|
+
return {var_name: msg}
|
200
|
+
|
201
|
+
|
202
|
+
class MinHandler(FunctionHandler):
|
203
|
+
function_name = "min"
|
204
|
+
|
205
|
+
def aggregate(
|
206
|
+
self,
|
207
|
+
arg_node: ast.expr,
|
208
|
+
right_node: ast.expr,
|
209
|
+
op_symbol: str,
|
210
|
+
var_values: Dict[str, Optional[object]],
|
211
|
+
rule: Rule,
|
212
|
+
) -> Dict[str, str]:
|
213
|
+
|
214
|
+
var_name = rule._get_node_name(arg_node)
|
215
|
+
raw_iter = var_values.get(var_name)
|
216
|
+
if not isinstance(raw_iter, (list, tuple)) or len(raw_iter) == 0:
|
217
|
+
raise ValueError("min expects a non-empty iterable")
|
218
|
+
if not all(isinstance(x, (int, float)) for x in raw_iter):
|
219
|
+
raise ValueError("min expects an iterable of numbers")
|
220
|
+
current = min(raw_iter)
|
221
|
+
|
222
|
+
raw = rule._eval_node(right_node)
|
223
|
+
if not isinstance(raw, (int, float)):
|
224
|
+
raise ValueError("Invalid arguments for min function")
|
225
|
+
right_value = raw
|
226
|
+
|
227
|
+
if op_symbol in (">", ">="):
|
228
|
+
msg = f"[{var_name}] (min={current}) is too small ({op_symbol} {right_value})!"
|
229
|
+
elif op_symbol in ("<", "<="):
|
230
|
+
msg = f"[{var_name}] (min={current}) is too large ({op_symbol} {right_value})!"
|
231
|
+
else:
|
232
|
+
msg = f"[{var_name}] (min={current}) must be {right_value}!"
|
233
|
+
|
234
|
+
return {var_name: msg}
|
general_manager/rule/rule.py
CHANGED
@@ -22,7 +22,9 @@ from django.utils.module_loading import import_string
|
|
22
22
|
from general_manager.rule.handler import (
|
23
23
|
BaseRuleHandler,
|
24
24
|
LenHandler,
|
25
|
-
|
25
|
+
MaxHandler,
|
26
|
+
MinHandler,
|
27
|
+
SumHandler,
|
26
28
|
)
|
27
29
|
from general_manager.manager.generalManager import GeneralManager
|
28
30
|
|
@@ -75,7 +77,7 @@ class Rule(Generic[GeneralManagerType]):
|
|
75
77
|
|
76
78
|
# 4) Handler registrieren
|
77
79
|
self._handlers = {} # type: Dict[str, BaseRuleHandler]
|
78
|
-
for cls in (LenHandler,
|
80
|
+
for cls in (LenHandler, MaxHandler, MinHandler, SumHandler):
|
79
81
|
inst = cls()
|
80
82
|
self._handlers[inst.function_name] = inst
|
81
83
|
for path in getattr(settings, "RULE_HANDLERS", []):
|
@@ -5,8 +5,8 @@ general_manager/api/mutation.py,sha256=uu5RVxc9wbb-Zrbtt4azegvyKymMqEsxk_CkerKCd
|
|
5
5
|
general_manager/api/property.py,sha256=oc93p1P8dcIvrNorRuqD1EJVsd6eYttYhZuAS0s28gs,696
|
6
6
|
general_manager/auxiliary/__init__.py,sha256=4IwKJzsNxGduF-Ej0u1BNHVaMhkql8PjHbVtx9DOTSY,76
|
7
7
|
general_manager/auxiliary/argsToKwargs.py,sha256=kmp1xonpQp4X_y8ZJG6c5uOW7zQwo0HtPqsHWVzXRSM,921
|
8
|
-
general_manager/auxiliary/filterParser.py,sha256=
|
9
|
-
general_manager/auxiliary/noneToZero.py,sha256=
|
8
|
+
general_manager/auxiliary/filterParser.py,sha256=wmR4YzsnYgjI2Co5eyvCFROldotAraHx_GiCDJo79IY,5410
|
9
|
+
general_manager/auxiliary/noneToZero.py,sha256=KfQtMQnrT6vsYST0K7lv6pVujkDcK3XL8czHYOhgqKQ,539
|
10
10
|
general_manager/cache/cacheDecorator.py,sha256=RmUDyJfkouO2-R2KZZJF1n8RCB0FjVa2OoTeLQ0vUyg,2934
|
11
11
|
general_manager/cache/cacheTracker.py,sha256=vUQCarqABIW_O02hbKeRo0thurmPD0TfrOlIUh7kneI,1045
|
12
12
|
general_manager/cache/dependencyIndex.py,sha256=KUDroajKrWfJv0PO2EQVNTrYq7XxrpBT4MGKBgPwMwo,10676
|
@@ -18,7 +18,7 @@ general_manager/factory/lazy_methods.py,sha256=UJC50a4Gbe4T5IQPh7ucyQqpaS2x4zhQz
|
|
18
18
|
general_manager/interface/__init__.py,sha256=6x5adQLefTugvrJeyPcAxstyqgLAYeaJ1EPdAbac9pE,213
|
19
19
|
general_manager/interface/baseInterface.py,sha256=mvSKUlA-0fazNnaIXGBwkiZxmX8DM_sOn-SaAIpaW8I,10273
|
20
20
|
general_manager/interface/calculationInterface.py,sha256=GzSNXjU6Z7bFz60gHyMKkI5xNUDIPuniV8wbyVtQT50,14250
|
21
|
-
general_manager/interface/databaseInterface.py,sha256=
|
21
|
+
general_manager/interface/databaseInterface.py,sha256=i3Z-rkHnoGzV8cFZjBKBmIjlWjGJ2CzdlsiQfL2JUas,28288
|
22
22
|
general_manager/manager/__init__.py,sha256=l3RYp62aEhj3Y975_XUTIzo35LUnkTJHkb_hgChnXXI,111
|
23
23
|
general_manager/manager/generalManager.py,sha256=xt7tvwTaPGhh7Z8VhbdMJuScsl78B9QDVQoMWv4amuo,5158
|
24
24
|
general_manager/manager/groupManager.py,sha256=O4FABqbm7KlZw6t36Ot3HU1FsBYN0h6Zhmk7ktN8a-Y,10087
|
@@ -34,10 +34,10 @@ general_manager/permission/managerBasedPermission.py,sha256=VgZJVgkXWdaLk6K7c0kY
|
|
34
34
|
general_manager/permission/permissionChecks.py,sha256=T-9khBqiwM4ASBdey9p07sC_xgzceIU9EAE0reukguM,1655
|
35
35
|
general_manager/permission/permissionDataManager.py,sha256=Ji7fsnuaKTa6M8yzCGyzrIHyGa_ZvqJM7sXR97-uTrA,1937
|
36
36
|
general_manager/rule/__init__.py,sha256=4Har5cfPD1fmOsilTDod-ZUz3Com-tkl58jz7yY4fD0,23
|
37
|
-
general_manager/rule/handler.py,sha256=
|
38
|
-
general_manager/rule/rule.py,sha256=
|
39
|
-
generalmanager-0.
|
40
|
-
generalmanager-0.
|
41
|
-
generalmanager-0.
|
42
|
-
generalmanager-0.
|
43
|
-
generalmanager-0.
|
37
|
+
general_manager/rule/handler.py,sha256=z8SFHTIZ0LbLh3fV56Mud0V4_OvWkqJjlHvFqau7Qfk,7334
|
38
|
+
general_manager/rule/rule.py,sha256=jmZxMFxthMPcc85Xx_zb8l7hajJK2SFAIgBZpE8bk8g,10736
|
39
|
+
generalmanager-0.2.0.dist-info/licenses/LICENSE,sha256=YGFm0ieb4KpkMRRt2qnWue6uFh0cUMtobwEBkHwajhc,1450
|
40
|
+
generalmanager-0.2.0.dist-info/METADATA,sha256=RIR7LsPxNSSbPErDku5Vv-YdlFb2BYD9QjXowcEOais,8188
|
41
|
+
generalmanager-0.2.0.dist-info/WHEEL,sha256=A8Eltl-h0W-qZDVezsLjjslosEH_pdYC2lQ0JcbgCzs,91
|
42
|
+
generalmanager-0.2.0.dist-info/top_level.txt,sha256=sTDtExP9ga-YP3h3h42yivUY-A2Q23C2nw6LNKOho4I,16
|
43
|
+
generalmanager-0.2.0.dist-info/RECORD,,
|
File without changes
|
File without changes
|