iris-pex-embedded-python 3.2.1b3__py3-none-any.whl → 3.3.0b2__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.
Potentially problematic release.
This version of iris-pex-embedded-python might be problematic. Click here for more details.
- iop/_async_request.py +62 -0
- iop/_business_host.py +16 -451
- iop/_business_operation.py +6 -4
- iop/_business_process.py +12 -10
- iop/_business_service.py +3 -2
- iop/_common.py +12 -75
- iop/_decorators.py +48 -0
- iop/_director.py +3 -2
- iop/_dispatch.py +219 -0
- iop/_log_manager.py +20 -12
- iop/_message_validator.py +41 -0
- iop/_private_session_duplex.py +11 -10
- iop/_private_session_process.py +7 -7
- iop/_serialization.py +196 -0
- iop/_utils.py +27 -19
- {iris_pex_embedded_python-3.2.1b3.dist-info → iris_pex_embedded_python-3.3.0b2.dist-info}/METADATA +1 -1
- {iris_pex_embedded_python-3.2.1b3.dist-info → iris_pex_embedded_python-3.3.0b2.dist-info}/RECORD +21 -16
- {iris_pex_embedded_python-3.2.1b3.dist-info → iris_pex_embedded_python-3.3.0b2.dist-info}/LICENSE +0 -0
- {iris_pex_embedded_python-3.2.1b3.dist-info → iris_pex_embedded_python-3.3.0b2.dist-info}/WHEEL +0 -0
- {iris_pex_embedded_python-3.2.1b3.dist-info → iris_pex_embedded_python-3.3.0b2.dist-info}/entry_points.txt +0 -0
- {iris_pex_embedded_python-3.2.1b3.dist-info → iris_pex_embedded_python-3.3.0b2.dist-info}/top_level.txt +0 -0
iop/_async_request.py
ADDED
|
@@ -0,0 +1,62 @@
|
|
|
1
|
+
import asyncio
|
|
2
|
+
import iris
|
|
3
|
+
from typing import Any, Optional, Union
|
|
4
|
+
from iop._dispatch import dispatch_deserializer, dispatch_serializer
|
|
5
|
+
from iop._message import _Message as Message
|
|
6
|
+
|
|
7
|
+
class AsyncRequest(asyncio.Future):
|
|
8
|
+
_message_header_id: int = 0
|
|
9
|
+
_queue_name: str = ""
|
|
10
|
+
_end_time: int = 0
|
|
11
|
+
_response: Any = None
|
|
12
|
+
_done: bool = False
|
|
13
|
+
|
|
14
|
+
def __init__(self, target: str, request: Union[Message, Any],
|
|
15
|
+
timeout: int = -1, description: Optional[str] = None, host: Optional[Any] = None) -> None:
|
|
16
|
+
super().__init__()
|
|
17
|
+
self.target = target
|
|
18
|
+
self.request = request
|
|
19
|
+
self.timeout = timeout
|
|
20
|
+
self.description = description
|
|
21
|
+
self.host = host
|
|
22
|
+
self._iris_handle = host.iris_handle
|
|
23
|
+
asyncio.create_task(self.send())
|
|
24
|
+
|
|
25
|
+
async def send(self) -> None:
|
|
26
|
+
# init parameters
|
|
27
|
+
message_header_id = iris.ref()
|
|
28
|
+
queue_name = iris.ref()
|
|
29
|
+
end_time = iris.ref()
|
|
30
|
+
request = dispatch_serializer(self.request)
|
|
31
|
+
|
|
32
|
+
# send request
|
|
33
|
+
self._iris_handle.dispatchSendRequestAsyncNG(
|
|
34
|
+
self.target, request, self.timeout, self.description,
|
|
35
|
+
message_header_id, queue_name, end_time)
|
|
36
|
+
|
|
37
|
+
# get byref values
|
|
38
|
+
self._message_header_id = message_header_id.value
|
|
39
|
+
self._queue_name = queue_name.value
|
|
40
|
+
self._end_time = end_time.value
|
|
41
|
+
|
|
42
|
+
while not self._done:
|
|
43
|
+
await asyncio.sleep(0.1)
|
|
44
|
+
self.is_done()
|
|
45
|
+
|
|
46
|
+
self.set_result(self._response)
|
|
47
|
+
|
|
48
|
+
def is_done(self) -> None:
|
|
49
|
+
response = iris.ref()
|
|
50
|
+
status = self._iris_handle.dispatchIsRequestDone(self.timeout, self._end_time,
|
|
51
|
+
self._queue_name, self._message_header_id,
|
|
52
|
+
response)
|
|
53
|
+
|
|
54
|
+
self._response = dispatch_deserializer(response.value)
|
|
55
|
+
|
|
56
|
+
if status == 2: # message found
|
|
57
|
+
self._done = True
|
|
58
|
+
elif status == 1: # message not found
|
|
59
|
+
pass
|
|
60
|
+
else:
|
|
61
|
+
self._done = True
|
|
62
|
+
self.set_exception(RuntimeError(iris.system.Status.GetOneStatusText(status)))
|
iop/_business_host.py
CHANGED
|
@@ -20,6 +20,16 @@ from dacite import Config, from_dict
|
|
|
20
20
|
from iop._common import _Common
|
|
21
21
|
from iop._message import _Message as Message
|
|
22
22
|
from iop._utils import _Utils
|
|
23
|
+
from iop._decorators import (
|
|
24
|
+
input_serializer, input_serializer_param, output_deserializer,
|
|
25
|
+
input_deserializer, output_serializer
|
|
26
|
+
)
|
|
27
|
+
from iop._serialization import IrisJSONEncoder, IrisJSONDecoder
|
|
28
|
+
from iop._dispatch import (
|
|
29
|
+
dispatch_serializer, dispatch_deserializer,
|
|
30
|
+
dispach_message, create_dispatch
|
|
31
|
+
)
|
|
32
|
+
from iop._async_request import AsyncRequest
|
|
23
33
|
|
|
24
34
|
class _BusinessHost(_Common):
|
|
25
35
|
"""Base class for business components that defines common methods.
|
|
@@ -31,102 +41,8 @@ class _BusinessHost(_Common):
|
|
|
31
41
|
buffer: int = 64000
|
|
32
42
|
DISPATCH: List[Tuple[str, str]] = []
|
|
33
43
|
|
|
34
|
-
|
|
35
|
-
|
|
36
|
-
|
|
37
|
-
Args:
|
|
38
|
-
fonction: Function to decorate
|
|
39
|
-
|
|
40
|
-
Returns:
|
|
41
|
-
Decorated function that handles serialization
|
|
42
|
-
"""
|
|
43
|
-
def dispatch_serializer(self, *params: Any, **param2: Any) -> Any:
|
|
44
|
-
# Handle positional arguments using list comprehension
|
|
45
|
-
serialized = [self._dispatch_serializer(param) for param in params]
|
|
46
|
-
|
|
47
|
-
# Handle keyword arguments using dictionary comprehension
|
|
48
|
-
param2 = {key: self._dispatch_serializer(value) for key, value in param2.items()}
|
|
49
|
-
|
|
50
|
-
return fonction(self, *serialized, **param2)
|
|
51
|
-
return dispatch_serializer
|
|
52
|
-
|
|
53
|
-
def input_serialzer_param(position: int, name: str) -> Callable:
|
|
54
|
-
"""Decorator that serializes specific parameter by position or name.
|
|
55
|
-
|
|
56
|
-
Args:
|
|
57
|
-
position: Position of parameter to serialize
|
|
58
|
-
name: Name of parameter to serialize
|
|
59
|
-
|
|
60
|
-
Returns:
|
|
61
|
-
Decorator function
|
|
62
|
-
"""
|
|
63
|
-
def input_serialzer_param(fonction: Callable) -> Callable:
|
|
64
|
-
@wraps(fonction)
|
|
65
|
-
def dispatch_serializer(self, *params: Any, **param2: Any) -> Any:
|
|
66
|
-
# Handle positional arguments using list comprehension
|
|
67
|
-
serialized = [
|
|
68
|
-
self._dispatch_serializer(param) if i == position else param
|
|
69
|
-
for i, param in enumerate(params)
|
|
70
|
-
]
|
|
71
|
-
|
|
72
|
-
# Handle keyword arguments using dictionary comprehension
|
|
73
|
-
param2 = {
|
|
74
|
-
key: self._dispatch_serializer(value) if key == name else value
|
|
75
|
-
for key, value in param2.items()
|
|
76
|
-
}
|
|
77
|
-
|
|
78
|
-
return fonction(self, *serialized, **param2)
|
|
79
|
-
return dispatch_serializer
|
|
80
|
-
return input_serialzer_param
|
|
81
|
-
|
|
82
|
-
def output_deserialzer(fonction: Callable) -> Callable:
|
|
83
|
-
"""Decorator that deserializes output of function.
|
|
84
|
-
|
|
85
|
-
Args:
|
|
86
|
-
fonction: Function to decorate
|
|
87
|
-
|
|
88
|
-
Returns:
|
|
89
|
-
Decorated function that handles deserialization
|
|
90
|
-
"""
|
|
91
|
-
def dispatch_deserializer(self, *params: Any, **param2: Any) -> Any:
|
|
92
|
-
return self._dispatch_deserializer(fonction(self, *params, **param2))
|
|
93
|
-
|
|
94
|
-
return dispatch_deserializer
|
|
95
|
-
|
|
96
|
-
def input_deserialzer(fonction: Callable) -> Callable:
|
|
97
|
-
"""Decorator that deserializes input arguments before passing to function.
|
|
98
|
-
|
|
99
|
-
Args:
|
|
100
|
-
fonction: Function to decorate
|
|
101
|
-
|
|
102
|
-
Returns:
|
|
103
|
-
Decorated function that handles deserialization
|
|
104
|
-
"""
|
|
105
|
-
def dispatch_deserializer(self, *params: Any, **param2: Any) -> Any:
|
|
106
|
-
# Handle positional arguments using list comprehension
|
|
107
|
-
serialized = [self._dispatch_deserializer(param) for param in params]
|
|
108
|
-
|
|
109
|
-
# Handle keyword arguments using dictionary comprehension
|
|
110
|
-
param2 = {key: self._dispatch_deserializer(value) for key, value in param2.items()}
|
|
111
|
-
|
|
112
|
-
return fonction(self, *serialized, **param2)
|
|
113
|
-
return dispatch_deserializer
|
|
114
|
-
|
|
115
|
-
def output_serialzer(fonction: Callable) -> Callable:
|
|
116
|
-
"""Decorator that serializes output of function.
|
|
117
|
-
|
|
118
|
-
Args:
|
|
119
|
-
fonction: Function to decorate
|
|
120
|
-
|
|
121
|
-
Returns:
|
|
122
|
-
Decorated function that handles serialization
|
|
123
|
-
"""
|
|
124
|
-
def dispatch_serializer(self, *params: Any, **param2: Any) -> Any:
|
|
125
|
-
return self._dispatch_serializer(fonction(self, *params, **param2))
|
|
126
|
-
return dispatch_serializer
|
|
127
|
-
|
|
128
|
-
@input_serialzer_param(1, 'request')
|
|
129
|
-
@output_deserialzer
|
|
44
|
+
@input_serializer_param(1, 'request')
|
|
45
|
+
@output_deserializer
|
|
130
46
|
def send_request_sync(self, target: str, request: Union[Message, Any],
|
|
131
47
|
timeout: int = -1, description: Optional[str] = None) -> Any:
|
|
132
48
|
"""Send message synchronously to target component.
|
|
@@ -145,7 +61,7 @@ class _BusinessHost(_Common):
|
|
|
145
61
|
"""
|
|
146
62
|
return self.iris_handle.dispatchSendRequestSync(target, request, timeout, description)
|
|
147
63
|
|
|
148
|
-
@
|
|
64
|
+
@input_serializer_param(1, 'request')
|
|
149
65
|
def send_request_async(self, target: str, request: Union[Message, Any],
|
|
150
66
|
description: Optional[str] = None) -> None:
|
|
151
67
|
"""Send message asynchronously to target component.
|
|
@@ -173,7 +89,7 @@ class _BusinessHost(_Common):
|
|
|
173
89
|
Returns:
|
|
174
90
|
Response from target component
|
|
175
91
|
"""
|
|
176
|
-
return await
|
|
92
|
+
return await AsyncRequest(target, request, timeout, description, self)
|
|
177
93
|
|
|
178
94
|
def send_multi_request_sync(self, target_request: List[Tuple[str, Union[Message, Any]]],
|
|
179
95
|
timeout: int = -1, description: Optional[str] = None) -> List[Tuple[str, Union[Message, Any], Any, int]]:
|
|
@@ -201,7 +117,7 @@ class _BusinessHost(_Common):
|
|
|
201
117
|
for target, request in target_request:
|
|
202
118
|
call = iris.cls("Ens.CallStructure")._New()
|
|
203
119
|
call.TargetDispatchName = target
|
|
204
|
-
call.Request =
|
|
120
|
+
call.Request = dispatch_serializer(request)
|
|
205
121
|
call_list.append(call)
|
|
206
122
|
# call the dispatchSendMultiRequestSync method
|
|
207
123
|
response_list = self.iris_handle.dispatchSendRequestSyncMultiple(call_list, timeout)
|
|
@@ -211,231 +127,11 @@ class _BusinessHost(_Common):
|
|
|
211
127
|
result.append(
|
|
212
128
|
(target_request[i][0],
|
|
213
129
|
target_request[i][1],
|
|
214
|
-
|
|
130
|
+
dispatch_deserializer(response_list[i].Response),
|
|
215
131
|
response_list[i].ResponseCode
|
|
216
132
|
))
|
|
217
133
|
return result
|
|
218
134
|
|
|
219
|
-
|
|
220
|
-
def _serialize_pickle_message(self, message: Any) -> iris.cls:
|
|
221
|
-
"""Converts a python dataclass message into an iris iop.message.
|
|
222
|
-
|
|
223
|
-
Args:
|
|
224
|
-
message: The message to serialize, an instance of a class that is a subclass of Message.
|
|
225
|
-
|
|
226
|
-
Returns:
|
|
227
|
-
The message in json format.
|
|
228
|
-
"""
|
|
229
|
-
pickle_string = codecs.encode(pickle.dumps(message), "base64").decode()
|
|
230
|
-
module = message.__class__.__module__
|
|
231
|
-
classname = message.__class__.__name__
|
|
232
|
-
|
|
233
|
-
msg = iris.cls('IOP.PickleMessage')._New()
|
|
234
|
-
msg.classname = module + "." + classname
|
|
235
|
-
|
|
236
|
-
stream = _Utils.string_to_stream(pickle_string)
|
|
237
|
-
msg.jstr = stream
|
|
238
|
-
|
|
239
|
-
return msg
|
|
240
|
-
|
|
241
|
-
|
|
242
|
-
def _dispatch_serializer(self, message: Any) -> Any:
|
|
243
|
-
"""Serializes the message based on its type.
|
|
244
|
-
|
|
245
|
-
Args:
|
|
246
|
-
message: The message to serialize
|
|
247
|
-
|
|
248
|
-
Returns:
|
|
249
|
-
The serialized message
|
|
250
|
-
|
|
251
|
-
Raises:
|
|
252
|
-
TypeError: If message is invalid type
|
|
253
|
-
"""
|
|
254
|
-
if message is not None:
|
|
255
|
-
if self._is_message_instance(message):
|
|
256
|
-
return self._serialize_message(message)
|
|
257
|
-
elif self._is_pickle_message_instance(message):
|
|
258
|
-
return self._serialize_pickle_message(message)
|
|
259
|
-
elif self._is_iris_object_instance(message):
|
|
260
|
-
return message
|
|
261
|
-
|
|
262
|
-
if message == "" or message is None:
|
|
263
|
-
return message
|
|
264
|
-
|
|
265
|
-
# todo : decorator takes care of all the parameters, so this should never happen
|
|
266
|
-
# return message
|
|
267
|
-
raise TypeError("The message must be an instance of a class that is a subclass of Message or IRISObject %Persistent class.")
|
|
268
|
-
|
|
269
|
-
def _serialize_message(self, message: Any) -> iris.cls:
|
|
270
|
-
"""Converts a python dataclass message into an iris iop.message.
|
|
271
|
-
|
|
272
|
-
Args:
|
|
273
|
-
message: The message to serialize, an instance of a class that is a subclass of Message.
|
|
274
|
-
|
|
275
|
-
Returns:
|
|
276
|
-
The message in json format.
|
|
277
|
-
"""
|
|
278
|
-
json_string = json.dumps(message, cls=IrisJSONEncoder, ensure_ascii=False)
|
|
279
|
-
module = message.__class__.__module__
|
|
280
|
-
classname = message.__class__.__name__
|
|
281
|
-
|
|
282
|
-
msg = iris.cls('IOP.Message')._New()
|
|
283
|
-
msg.classname = module + "." + classname
|
|
284
|
-
|
|
285
|
-
if hasattr(msg, 'buffer') and len(json_string) > msg.buffer:
|
|
286
|
-
msg.json = _Utils.string_to_stream(json_string, msg.buffer)
|
|
287
|
-
else:
|
|
288
|
-
msg.json = json_string
|
|
289
|
-
|
|
290
|
-
return msg
|
|
291
|
-
|
|
292
|
-
def _deserialize_pickle_message(self, serial: iris.cls) -> Any:
|
|
293
|
-
"""Converts an iris iop.message into a python dataclass message.
|
|
294
|
-
|
|
295
|
-
Args:
|
|
296
|
-
serial: The serialized message
|
|
297
|
-
|
|
298
|
-
Returns:
|
|
299
|
-
The deserialized message
|
|
300
|
-
"""
|
|
301
|
-
string = _Utils.stream_to_string(serial.jstr)
|
|
302
|
-
|
|
303
|
-
msg = pickle.loads(codecs.decode(string.encode(), "base64"))
|
|
304
|
-
return msg
|
|
305
|
-
|
|
306
|
-
def _dispatch_deserializer(self, serial: Any) -> Any:
|
|
307
|
-
"""Deserializes the message based on its type.
|
|
308
|
-
|
|
309
|
-
Args:
|
|
310
|
-
serial: The serialized message
|
|
311
|
-
|
|
312
|
-
Returns:
|
|
313
|
-
The deserialized message
|
|
314
|
-
"""
|
|
315
|
-
if (
|
|
316
|
-
serial is not None
|
|
317
|
-
and type(serial).__module__.startswith('iris')
|
|
318
|
-
and (
|
|
319
|
-
serial._IsA("IOP.Message")
|
|
320
|
-
or serial._IsA("Grongier.PEX.Message")
|
|
321
|
-
)
|
|
322
|
-
):
|
|
323
|
-
return self._deserialize_message(serial)
|
|
324
|
-
elif (
|
|
325
|
-
serial is not None
|
|
326
|
-
and type(serial).__module__.startswith('iris')
|
|
327
|
-
and (
|
|
328
|
-
serial._IsA("IOP.PickleMessage")
|
|
329
|
-
or serial._IsA("Grongier.PEX.PickleMessage")
|
|
330
|
-
)
|
|
331
|
-
):
|
|
332
|
-
return self._deserialize_pickle_message(serial)
|
|
333
|
-
else:
|
|
334
|
-
return serial
|
|
335
|
-
|
|
336
|
-
def _deserialize_message(self, serial: iris.cls) -> Any:
|
|
337
|
-
"""Converts an iris iop.message into a python dataclass message.
|
|
338
|
-
|
|
339
|
-
Args:
|
|
340
|
-
serial: The serialized message
|
|
341
|
-
|
|
342
|
-
Returns:
|
|
343
|
-
The deserialized message
|
|
344
|
-
"""
|
|
345
|
-
if (serial.classname is None):
|
|
346
|
-
raise ValueError("JSON message malformed, must include classname")
|
|
347
|
-
classname = serial.classname
|
|
348
|
-
|
|
349
|
-
j = classname.rindex(".")
|
|
350
|
-
if (j <= 0):
|
|
351
|
-
raise ValueError("Classname must include a module: " + classname)
|
|
352
|
-
try:
|
|
353
|
-
module = importlib.import_module(classname[:j])
|
|
354
|
-
msg = getattr(module, classname[j+1:])
|
|
355
|
-
except Exception:
|
|
356
|
-
raise ImportError("Class not found: " + classname)
|
|
357
|
-
|
|
358
|
-
string = ""
|
|
359
|
-
if (serial.type == 'Stream'):
|
|
360
|
-
string = _Utils.stream_to_string(serial.json)
|
|
361
|
-
else:
|
|
362
|
-
string = serial.json
|
|
363
|
-
|
|
364
|
-
jdict = json.loads(string, cls=IrisJSONDecoder)
|
|
365
|
-
msg = self._dataclass_from_dict(msg, jdict)
|
|
366
|
-
return msg
|
|
367
|
-
|
|
368
|
-
def _dataclass_from_dict(self, klass: Type, dikt: Dict) -> Any:
|
|
369
|
-
"""Converts a dictionary to a dataclass instance.
|
|
370
|
-
|
|
371
|
-
Args:
|
|
372
|
-
klass: The dataclass to convert to
|
|
373
|
-
dikt: The dictionary to convert to a dataclass
|
|
374
|
-
|
|
375
|
-
Returns:
|
|
376
|
-
A dataclass object with the fields of the dataclass and the fields of the dictionary.
|
|
377
|
-
"""
|
|
378
|
-
ret = from_dict(klass, dikt, Config(check_types=False))
|
|
379
|
-
|
|
380
|
-
try:
|
|
381
|
-
fieldtypes = klass.__annotations__
|
|
382
|
-
except Exception as e:
|
|
383
|
-
fieldtypes = []
|
|
384
|
-
|
|
385
|
-
for key, val in dikt.items():
|
|
386
|
-
if key not in fieldtypes:
|
|
387
|
-
setattr(ret, key, val)
|
|
388
|
-
return ret
|
|
389
|
-
|
|
390
|
-
def _dispach_message(self, request: Any) -> Any:
|
|
391
|
-
"""Dispatches the message to the appropriate method.
|
|
392
|
-
|
|
393
|
-
Args:
|
|
394
|
-
request: The request object
|
|
395
|
-
|
|
396
|
-
Returns:
|
|
397
|
-
The response object
|
|
398
|
-
"""
|
|
399
|
-
call = 'on_message'
|
|
400
|
-
|
|
401
|
-
module = request.__class__.__module__
|
|
402
|
-
classname = request.__class__.__name__
|
|
403
|
-
|
|
404
|
-
for msg, method in self.DISPATCH:
|
|
405
|
-
if msg == module + "." + classname:
|
|
406
|
-
call = method
|
|
407
|
-
|
|
408
|
-
return getattr(self, call)(request)
|
|
409
|
-
|
|
410
|
-
|
|
411
|
-
def _create_dispatch(self) -> None:
|
|
412
|
-
"""Creates a list of tuples, where each tuple contains the name of a class and the name of a method
|
|
413
|
-
that takes an instance of that class as its only argument.
|
|
414
|
-
"""
|
|
415
|
-
if len(self.DISPATCH) == 0:
|
|
416
|
-
# get all function in current BO
|
|
417
|
-
method_list = [func for func in dir(self) if callable(getattr(self, func)) and not func.startswith("_")]
|
|
418
|
-
for method in method_list:
|
|
419
|
-
# get signature of current function
|
|
420
|
-
try:
|
|
421
|
-
param = signature(getattr(self, method)).parameters
|
|
422
|
-
# Handle staticmethod
|
|
423
|
-
except ValueError as e:
|
|
424
|
-
param = ''
|
|
425
|
-
# one parameter
|
|
426
|
-
if (len(param) == 1):
|
|
427
|
-
# get parameter type
|
|
428
|
-
annotation = str(param[list(param)[0]].annotation)
|
|
429
|
-
# trim annotation format <class 'toto'>
|
|
430
|
-
i = annotation.find("'")
|
|
431
|
-
j = annotation.rfind("'")
|
|
432
|
-
# if end is not found
|
|
433
|
-
if j == -1:
|
|
434
|
-
j = None
|
|
435
|
-
classname = annotation[i+1:j]
|
|
436
|
-
self.DISPATCH.append((classname, method))
|
|
437
|
-
return
|
|
438
|
-
|
|
439
135
|
@staticmethod
|
|
440
136
|
def OnGetConnections() -> Optional[List[str]]:
|
|
441
137
|
"""The OnGetConnections() method returns all of the targets of any SendRequestSync or SendRequestAsync
|
|
@@ -542,134 +238,3 @@ class _BusinessHost(_Common):
|
|
|
542
238
|
pass
|
|
543
239
|
|
|
544
240
|
return targer_list
|
|
545
|
-
|
|
546
|
-
# It's a subclass of the standard JSONEncoder class that knows how to encode date/time, decimal types,
|
|
547
|
-
# and UUIDs.
|
|
548
|
-
class IrisJSONEncoder(json.JSONEncoder):
|
|
549
|
-
"""
|
|
550
|
-
JSONEncoder subclass that knows how to encode date/time, decimal types, and
|
|
551
|
-
UUIDs.
|
|
552
|
-
"""
|
|
553
|
-
|
|
554
|
-
def default(self, o: Any) -> Any:
|
|
555
|
-
if o.__class__.__name__ == 'DataFrame':
|
|
556
|
-
return 'dataframe:' + o.to_json(orient="table")
|
|
557
|
-
elif isinstance(o, datetime.datetime):
|
|
558
|
-
r = o.isoformat()
|
|
559
|
-
if o.microsecond:
|
|
560
|
-
r = r[:23] + r[26:]
|
|
561
|
-
if r.endswith("+00:00"):
|
|
562
|
-
r = r[:-6] + "Z"
|
|
563
|
-
return 'datetime:' + r
|
|
564
|
-
elif isinstance(o, datetime.date):
|
|
565
|
-
return 'date:' + o.isoformat()
|
|
566
|
-
elif isinstance(o, datetime.time):
|
|
567
|
-
r = o.isoformat()
|
|
568
|
-
if o.microsecond:
|
|
569
|
-
r = r[:12]
|
|
570
|
-
return 'time:' + r
|
|
571
|
-
elif isinstance(o, decimal.Decimal):
|
|
572
|
-
return 'decimal:' + str(o)
|
|
573
|
-
elif isinstance(o, uuid.UUID):
|
|
574
|
-
return 'uuid:' + str(o)
|
|
575
|
-
elif isinstance(o, bytes):
|
|
576
|
-
return 'bytes:' + base64.b64encode(o).decode("UTF-8")
|
|
577
|
-
elif hasattr(o, '__dict__'):
|
|
578
|
-
return o.__dict__
|
|
579
|
-
else:
|
|
580
|
-
return super().default(o)
|
|
581
|
-
|
|
582
|
-
# It's a JSON decoder that looks for a colon in the value of a key/value pair. If it finds one, it
|
|
583
|
-
# assumes the value is a string that represents a type and a value. It then converts the value to the
|
|
584
|
-
# appropriate type
|
|
585
|
-
class IrisJSONDecoder(json.JSONDecoder):
|
|
586
|
-
def __init__(self, *args: Any, **kwargs: Any) -> None:
|
|
587
|
-
json.JSONDecoder.__init__(
|
|
588
|
-
self, object_hook=self.object_hook, *args, **kwargs)
|
|
589
|
-
|
|
590
|
-
def object_hook(self, obj: Dict) -> Dict:
|
|
591
|
-
ret = {}
|
|
592
|
-
for key, value in obj.items():
|
|
593
|
-
i = 0
|
|
594
|
-
if isinstance(value, str):
|
|
595
|
-
i = value.find(":")
|
|
596
|
-
if (i > 0):
|
|
597
|
-
typ = value[:i]
|
|
598
|
-
if typ == 'datetime':
|
|
599
|
-
ret[key] = datetime.datetime.fromisoformat(value[i+1:])
|
|
600
|
-
elif typ == 'date':
|
|
601
|
-
ret[key] = datetime.date.fromisoformat(value[i+1:])
|
|
602
|
-
elif typ == 'time':
|
|
603
|
-
ret[key] = datetime.time.fromisoformat(value[i+1:])
|
|
604
|
-
elif typ == 'dataframe':
|
|
605
|
-
module = importlib.import_module('pandas')
|
|
606
|
-
ret[key] = module.read_json(value[i+1:], orient="table")
|
|
607
|
-
elif typ == 'decimal':
|
|
608
|
-
ret[key] = decimal.Decimal(value[i+1:])
|
|
609
|
-
elif typ == 'uuid':
|
|
610
|
-
ret[key] = uuid.UUID(value[i+1:])
|
|
611
|
-
elif typ == 'bytes':
|
|
612
|
-
ret[key] = base64.b64decode((value[i+1:].encode("UTF-8")))
|
|
613
|
-
else:
|
|
614
|
-
ret[key] = value
|
|
615
|
-
else:
|
|
616
|
-
ret[key] = value
|
|
617
|
-
return ret
|
|
618
|
-
|
|
619
|
-
class _send_request_async_ng(asyncio.Future):
|
|
620
|
-
|
|
621
|
-
_message_header_id: int = 0
|
|
622
|
-
_queue_name: str = ""
|
|
623
|
-
_end_time: int = 0
|
|
624
|
-
_response: Any = None
|
|
625
|
-
_done: bool = False
|
|
626
|
-
|
|
627
|
-
def __init__(self, target: str, request: Union[Message, Any],
|
|
628
|
-
timeout: int = -1, description: Optional[str] = None, host: Optional[_BusinessHost] = None) -> None:
|
|
629
|
-
super().__init__()
|
|
630
|
-
self.target = target
|
|
631
|
-
self.request = request
|
|
632
|
-
self.timeout = timeout
|
|
633
|
-
self.description = description
|
|
634
|
-
self.host = host
|
|
635
|
-
self._iris_handle = host.iris_handle
|
|
636
|
-
asyncio.create_task(self.send())
|
|
637
|
-
|
|
638
|
-
async def send(self) -> None:
|
|
639
|
-
# init parameters
|
|
640
|
-
message_header_id = iris.ref()
|
|
641
|
-
queue_name = iris.ref()
|
|
642
|
-
end_time = iris.ref()
|
|
643
|
-
request = self.host._dispatch_serializer(self.request)
|
|
644
|
-
|
|
645
|
-
# send request
|
|
646
|
-
self._iris_handle.dispatchSendRequestAsyncNG(
|
|
647
|
-
self.target, request, self.timeout, self.description,
|
|
648
|
-
message_header_id, queue_name, end_time)
|
|
649
|
-
|
|
650
|
-
# get byref values
|
|
651
|
-
self._message_header_id = message_header_id.value
|
|
652
|
-
self._queue_name = queue_name.value
|
|
653
|
-
self._end_time = end_time.value
|
|
654
|
-
|
|
655
|
-
while not self._done:
|
|
656
|
-
await asyncio.sleep(0.1)
|
|
657
|
-
self.is_done()
|
|
658
|
-
|
|
659
|
-
self.set_result(self._response)
|
|
660
|
-
|
|
661
|
-
def is_done(self) -> None:
|
|
662
|
-
response = iris.ref()
|
|
663
|
-
status = self._iris_handle.dispatchIsRequestDone(self.timeout, self._end_time,
|
|
664
|
-
self._queue_name, self._message_header_id,
|
|
665
|
-
response)
|
|
666
|
-
|
|
667
|
-
self._response = self.host._dispatch_deserializer(response.value)
|
|
668
|
-
|
|
669
|
-
if status == 2: # message found
|
|
670
|
-
self._done = True
|
|
671
|
-
elif status == 1: # message not found
|
|
672
|
-
pass
|
|
673
|
-
else:
|
|
674
|
-
self._done = True
|
|
675
|
-
self.set_exception(RuntimeError(iris.system.Status.GetOneStatusText(status)))
|
iop/_business_operation.py
CHANGED
|
@@ -1,6 +1,8 @@
|
|
|
1
1
|
import importlib
|
|
2
2
|
from typing import Any, List, Optional, Union, Tuple
|
|
3
3
|
from iop._business_host import _BusinessHost
|
|
4
|
+
from iop._decorators import input_deserializer, output_serializer, input_serializer, output_deserializer
|
|
5
|
+
from iop._dispatch import create_dispatch, dispach_message
|
|
4
6
|
|
|
5
7
|
class _BusinessOperation(_BusinessHost):
|
|
6
8
|
"""Business operation component that handles outbound communication.
|
|
@@ -45,15 +47,15 @@ class _BusinessOperation(_BusinessHost):
|
|
|
45
47
|
|
|
46
48
|
def _dispatch_on_init(self, host_object: Any) -> None:
|
|
47
49
|
"""For internal use only."""
|
|
48
|
-
self
|
|
50
|
+
create_dispatch(self)
|
|
49
51
|
self.on_init()
|
|
50
52
|
return
|
|
51
53
|
|
|
52
|
-
@
|
|
53
|
-
@
|
|
54
|
+
@input_deserializer
|
|
55
|
+
@output_serializer
|
|
54
56
|
def _dispatch_on_message(self, request: Any) -> Any:
|
|
55
57
|
"""For internal use only."""
|
|
56
|
-
return self
|
|
58
|
+
return dispach_message(self,request)
|
|
57
59
|
|
|
58
60
|
def OnMessage(self, request: Any) -> Any:
|
|
59
61
|
"""DEPRECATED : use on_message
|
iop/_business_process.py
CHANGED
|
@@ -1,5 +1,7 @@
|
|
|
1
1
|
from typing import Any, List, Optional, Union
|
|
2
2
|
from iop._business_host import _BusinessHost
|
|
3
|
+
from iop._decorators import input_deserializer, input_serializer_param, output_serializer, input_serializer, output_deserializer
|
|
4
|
+
from iop._dispatch import create_dispatch, dispach_message
|
|
3
5
|
|
|
4
6
|
class _BusinessProcess(_BusinessHost):
|
|
5
7
|
"""Business process component that contains routing and transformation logic.
|
|
@@ -60,7 +62,7 @@ class _BusinessProcess(_BusinessHost):
|
|
|
60
62
|
"""
|
|
61
63
|
return self.OnComplete(request, response)
|
|
62
64
|
|
|
63
|
-
@
|
|
65
|
+
@input_serializer_param(0,'response')
|
|
64
66
|
def reply(self, response: Any) -> None:
|
|
65
67
|
"""Send the specified response to the production component that sent the initial request.
|
|
66
68
|
|
|
@@ -69,7 +71,7 @@ class _BusinessProcess(_BusinessHost):
|
|
|
69
71
|
"""
|
|
70
72
|
return self.iris_handle.dispatchReply(response)
|
|
71
73
|
|
|
72
|
-
@
|
|
74
|
+
@input_serializer_param(1,'request')
|
|
73
75
|
def send_request_async(self, target: str, request: Any, response_required: bool=True, completion_key: Optional[str]=None, description: Optional[str]=None) -> None:
|
|
74
76
|
"""Send the specified message to the target business process or business operation asynchronously.
|
|
75
77
|
|
|
@@ -139,7 +141,7 @@ class _BusinessProcess(_BusinessHost):
|
|
|
139
141
|
def _dispatch_on_init(self, host_object: Any) -> None:
|
|
140
142
|
"""For internal use only."""
|
|
141
143
|
self._restore_persistent_properties(host_object)
|
|
142
|
-
self
|
|
144
|
+
create_dispatch(self)
|
|
143
145
|
self.on_init()
|
|
144
146
|
self._save_persistent_properties(host_object)
|
|
145
147
|
return
|
|
@@ -151,17 +153,17 @@ class _BusinessProcess(_BusinessHost):
|
|
|
151
153
|
self._save_persistent_properties(host_object)
|
|
152
154
|
return
|
|
153
155
|
|
|
154
|
-
@
|
|
155
|
-
@
|
|
156
|
+
@input_deserializer
|
|
157
|
+
@output_serializer
|
|
156
158
|
def _dispatch_on_request(self, host_object: Any, request: Any) -> Any:
|
|
157
159
|
"""For internal use only."""
|
|
158
160
|
self._restore_persistent_properties(host_object)
|
|
159
|
-
return_object = self
|
|
161
|
+
return_object = dispach_message(self,request)
|
|
160
162
|
self._save_persistent_properties(host_object)
|
|
161
163
|
return return_object
|
|
162
164
|
|
|
163
|
-
@
|
|
164
|
-
@
|
|
165
|
+
@input_deserializer
|
|
166
|
+
@output_serializer
|
|
165
167
|
def _dispatch_on_response(self, host_object: Any, request: Any, response: Any, call_request: Any, call_response: Any, completion_key: str) -> Any:
|
|
166
168
|
"""For internal use only."""
|
|
167
169
|
self._restore_persistent_properties(host_object)
|
|
@@ -169,8 +171,8 @@ class _BusinessProcess(_BusinessHost):
|
|
|
169
171
|
self._save_persistent_properties(host_object)
|
|
170
172
|
return return_object
|
|
171
173
|
|
|
172
|
-
@
|
|
173
|
-
@
|
|
174
|
+
@input_deserializer
|
|
175
|
+
@output_serializer
|
|
174
176
|
def _dispatch_on_complete(self, host_object: Any, request: Any, response: Any) -> Any:
|
|
175
177
|
"""For internal use only."""
|
|
176
178
|
self._restore_persistent_properties(host_object)
|
iop/_business_service.py
CHANGED
|
@@ -1,5 +1,6 @@
|
|
|
1
1
|
import importlib
|
|
2
2
|
from iop._business_host import _BusinessHost
|
|
3
|
+
from iop._decorators import input_deserializer, output_serializer, input_serializer, output_deserializer
|
|
3
4
|
|
|
4
5
|
class _BusinessService(_BusinessHost):
|
|
5
6
|
""" This class is responsible for receiving the data from external system and sending it to business processes or business operations in the production.
|
|
@@ -36,8 +37,8 @@ class _BusinessService(_BusinessHost):
|
|
|
36
37
|
self.Adapter = self.adapter = handle_partner
|
|
37
38
|
return
|
|
38
39
|
|
|
39
|
-
@
|
|
40
|
-
@
|
|
40
|
+
@input_deserializer
|
|
41
|
+
@output_serializer
|
|
41
42
|
def _dispatch_on_process_input(self, request):
|
|
42
43
|
""" For internal use only. """
|
|
43
44
|
return self.on_process_input(request)
|