-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathoperators.py
337 lines (244 loc) · 9.75 KB
/
operators.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
import abc
from numbers import Number
from typing import Any, Union, get_args, get_origin
from generic_k8s_webhook.utils import to_number
# Make Number callable, so it can convert, for example, a string into an int or float
Number.__call__ = to_number
class Operator(abc.ABC):
@abc.abstractmethod
def __init__(self, op_inputs: Any, path_op: str) -> None:
pass
@abc.abstractmethod
def input_type(self) -> type | None:
pass
@abc.abstractmethod
def return_type(self) -> type | None:
pass
@abc.abstractmethod
def get_value(self, contexts: list):
pass
# It's the base class for operators like and, or, sum, etc.
# Even if it's called BinaryOp, it supports a list of arguments of any size
# For example: and(true, false, true, true) -> false
class BinaryOp(Operator):
def __init__(self, args: Operator) -> None:
self.args = args
# A None return type of the arguments means that this type is not defined at "compile" time
# A list[None] for the input_type means that this operation can potentially consume any type
# A list[None] for the args.return_type means that we can get any type, so let's give it a try
if (
self.args.return_type() is not None
and self.args.return_type() != list[None]
and self.input_type() is not None
and self.input_type() != list[None]
):
# Compare the origin types. The origin or `list[int]` is `list`
origin_input_type = get_origin(self.input_type())
origin_args_ret_type = get_origin(self.args.return_type())
if origin_input_type != origin_args_ret_type:
raise TypeError(f"We expect a {self.input_type()} as input but got {self.args.return_type()}")
# Compare the subscripted types. The subscripted type of `list[int, float]` are `int, float`
list_nested_input_type = get_args(self.input_type())
list_nested_args_return_types = get_args(self.args.return_type())
# Check that all the subscripted types of the arguments match at least one of
# the subscripted types that this operator expects as input
for nested_args_ret_type in list_nested_args_return_types:
type_match = False
for nested_input_type in list_nested_input_type:
if issubclass(nested_args_ret_type, nested_input_type):
type_match = True
break
if not type_match:
raise TypeError(f"We expect {self.input_type()} as input but got {self.args.return_type()}")
def get_value(self, contexts: list) -> Any:
elements = self.args.get_value(contexts)
# An example of elements=None is when the args is a list of elements
# extracted from a getValue operation. If this getValue cannot find
# anything for the provided path, then it returns None. In that case,
# None means an empty list
if elements is None:
elements = []
if not isinstance(elements, list):
raise TypeError(f"Expected list but got {elements}")
if len(elements) == 0:
return self._zero_args_result()
elem = elements[0]
# If we have a single element, try to cast it to the type the operation
# should return. For example, if the element is an int and the operation
# returns a bool, this step will cast this int to a bool
if len(elements) == 1:
return self.return_type().__call__(elem) # pylint: disable=unnecessary-dunder-call
for arg_value in elements[1:]:
elem = self._op(elem, arg_value)
return elem
@abc.abstractmethod
def _op(self, lhs, rhs):
pass
def _zero_args_result(self):
"""The value returned when there are 0 arguments in the operator"""
return self.return_type().__call__() # pylint: disable=unnecessary-dunder-call
class BoolOp(BinaryOp):
def input_type(self) -> type | None:
return list[bool]
def return_type(self) -> type | None:
return bool
class And(BoolOp):
def _op(self, lhs, rhs):
return lhs and rhs
def _zero_args_result(self):
return True
class Or(BoolOp):
def _op(self, lhs, rhs):
return lhs or rhs
def _zero_args_result(self):
return True
class ArithOp(BinaryOp):
def input_type(self) -> type | None:
return list[Number]
def return_type(self) -> type | None:
return Number
def _zero_args_result(self) -> Number:
return 0
class Sum(ArithOp):
def _op(self, lhs, rhs):
return lhs + rhs
class Sub(ArithOp):
def _op(self, lhs, rhs):
return lhs - rhs
class Mul(ArithOp):
def _op(self, lhs, rhs):
return lhs * rhs
class Div(ArithOp):
def _op(self, lhs, rhs):
return lhs / rhs
class Comp(BinaryOp):
def get_value(self, contexts: list) -> Any:
list_arg_values = self.args.get_value(contexts)
if len(list_arg_values) < 2:
return True
if len(list_arg_values) == 2:
return self._op(list_arg_values[0], list_arg_values[1])
raise ValueError("A comparison cannot have more than 2 operands")
def input_type(self) -> type | None:
return list[None]
def return_type(self) -> type | None:
return bool
class Equal(Comp):
def _op(self, lhs, rhs):
return lhs == rhs
class NotEqual(Comp):
def _op(self, lhs, rhs):
return lhs != rhs
class LessOrEqual(Comp):
def _op(self, lhs, rhs):
return lhs <= rhs
class GreaterOrEqual(Comp):
def _op(self, lhs, rhs):
return lhs >= rhs
class LessThan(Comp):
def _op(self, lhs, rhs):
return lhs < rhs
class GreaterThan(Comp):
def _op(self, lhs, rhs):
return lhs > rhs
class UnaryOp(Operator):
def __init__(self, arg: Operator) -> None:
self.arg = arg
if self.arg.return_type() != self.input_type():
raise TypeError(f"Expected an input type of {self.input_type()}, but got {self.arg.return_type()}")
def get_value(self, contexts: list) -> Any:
arg_value = self.arg.get_value(contexts)
return self._op(arg_value)
@abc.abstractmethod
def _op(self, arg_value):
pass
class Not(UnaryOp):
def input_type(self) -> type | None:
return bool
def return_type(self) -> type | None:
return bool
def _op(self, arg_value):
return not arg_value
class List(Operator):
def __init__(self, list_op: list[Operator]) -> None:
self.list_op = list_op
# Get all the different return types, but ignore None, since this means
# that the return type is not defined at "compile" time (depens on the input data)
types_in_list = set(op.return_type() for op in self.list_op if op.return_type() is not None)
if len(types_in_list) == 0:
self.item_types = list[None]
else:
# For example, if `types_in_list={int, float}`, then
# `self.item_types=list[int, float]`
self.item_types = list[*list(types_in_list)]
def get_value(self, contexts: list):
return [op.get_value(contexts) for op in self.list_op]
def input_type(self) -> type | None:
return None
def return_type(self) -> type | None:
return self.item_types
class ForEach(Operator):
def __init__(self, elements: Operator, op: Operator) -> None:
self.elements = elements
self.op = op
def get_value(self, contexts: list):
elements = self.elements.get_value(contexts)
if elements is None:
return []
result_list = []
for elem in elements:
mapped_elem = self.op.get_value(contexts + [elem])
result_list.append(mapped_elem)
return result_list
def input_type(self) -> type | None:
return None
def return_type(self) -> type | None:
return list[self.op.return_type()]
class Contain(Operator):
def __init__(self, elements: Operator, elem: Operator) -> None:
self.elements = elements
self.elem = elem
def get_value(self, contexts: list):
target_elem = self.elem.get_value(contexts)
for elem in self.elements.get_value(contexts):
if target_elem == elem:
return True
return False
def input_type(self) -> type | None:
return None
def return_type(self) -> type | None:
return bool
class Const(Operator):
def __init__(self, value: Any) -> None:
self.value = value
def get_value(self, contexts: list):
return self.value
def input_type(self) -> type | None:
return None
def return_type(self) -> type | None:
return type(self.value)
class GetValue(Operator):
def __init__(self, path: list[str], context_id: int) -> None:
self.path = path
self.context_id = context_id
def get_value(self, contexts: list):
context = contexts[self.context_id]
return self._get_value_from_json(context, self.path)
def _get_value_from_json(self, data: Union[list, dict], path: list):
if len(path) == 0 or path[0] == "":
return data
if isinstance(data, dict):
key = path[0]
if key in data:
return self._get_value_from_json(data[key], path[1:])
elif isinstance(data, list):
key = int(path[0])
if 0 <= key < len(data):
return self._get_value_from_json(data[key], path[1:])
else:
raise RuntimeError(f"Expected list or dict, but got {data}")
return None
def input_type(self) -> type | None:
return None
def return_type(self) -> type | None:
return None