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 | from functools import reduce
import logging
import operator
import msgpack
from .compression import compressions, maybe_compress, decompress
from .serialize import (
serialize,
deserialize,
Serialize,
Serialized,
extract_serialize,
msgpack_decode_default,
msgpack_encode_default,
)
from .utils import frame_split_size, merge_frames, msgpack_opts
from ..utils import is_writeable, nbytes
_deserialize = deserialize
logger = logging.getLogger(__name__)
def dumps(msg, serializers=None, on_error="message", context=None):
""" Transform Python message to bytestream suitable for communication """
try:
data = {}
if context and "compression" in context:
compress_opts = {"compression": context["compression"]}
else:
compress_opts = {}
# Only lists and dicts can contain serialized values
if isinstance(msg, (list, dict)):
msg, data, bytestrings = extract_serialize(msg)
small_header, small_payload = dumps_msgpack(msg, **compress_opts)
if not data: # fast path without serialized data
return small_header, small_payload
pre = {
key: (value.header, value.frames)
for key, value in data.items()
if type(value) is Serialized
}
data = {
key: serialize(
value.data, serializers=serializers, on_error=on_error, context=context
)
for key, value in data.items()
if type(value) is Serialize
}
header = {"headers": {}, "keys": [], "bytestrings": list(bytestrings)}
out_frames = []
for key, (head, frames) in data.items():
if "writeable" not in head:
head["writeable"] = tuple(map(is_writeable, frames))
if "lengths" not in head:
head["lengths"] = tuple(map(nbytes, frames))
# Compress frames that are not yet compressed
out_compression = []
_out_frames = []
for frame, compression in zip(
frames, head.get("compression") or [None] * len(frames)
):
if compression is None: # default behavior
_frames = frame_split_size(frame)
_compression, _frames = zip(
*[maybe_compress(frame, **compress_opts) for frame in _frames]
)
out_compression.extend(_compression)
_out_frames.extend(_frames)
else: # already specified, so pass
out_compression.append(compression)
_out_frames.append(frame)
head["compression"] = out_compression
head["count"] = len(_out_frames)
header["headers"][key] = head
header["keys"].append(key)
out_frames.extend(_out_frames)
for key, (head, frames) in pre.items():
if "writeable" not in head:
head["writeable"] = tuple(map(is_writeable, frames))
if "lengths" not in head:
head["lengths"] = tuple(map(nbytes, frames))
head["count"] = len(frames)
header["headers"][key] = head
header["keys"].append(key)
out_frames.extend(frames)
for i, frame in enumerate(out_frames):
if type(frame) is memoryview and frame.strides != (1,):
try:
frame = frame.cast("B")
except TypeError:
frame = frame.tobytes()
out_frames[i] = frame
return [
small_header,
small_payload,
msgpack.dumps(header, use_bin_type=True),
] + out_frames
except Exception:
logger.critical("Failed to Serialize", exc_info=True)
raise
def loads(frames, deserialize=True, deserializers=None):
""" Transform bytestream back into Python value """
frames = frames[::-1] # reverse order to improve pop efficiency
if not isinstance(frames, list):
frames = list(frames)
try:
small_header = frames.pop()
small_payload = frames.pop()
msg = loads_msgpack(small_header, small_payload)
if not frames:
return msg
header = frames.pop()
header = msgpack.loads(header, use_list=False, **msgpack_opts)
keys = header["keys"]
headers = header["headers"]
bytestrings = set(header["bytestrings"])
for key in keys:
head = headers[key]
count = head["count"]
if count:
fs = frames[-count::][::-1]
del frames[-count:]
else:
fs = []
if deserialize or key in bytestrings:
if "compression" in head:
fs = decompress(head, fs)
if not any(hasattr(f, "__cuda_array_interface__") for f in fs):
fs = merge_frames(head, fs)
value = _deserialize(head, fs, deserializers=deserializers)
else:
value = Serialized(head, fs)
def put_in(keys, coll, val):
"""Inverse of get_in, but does type promotion in the case of lists"""
if keys:
holder = reduce(operator.getitem, keys[:-1], coll)
if isinstance(holder, tuple):
holder = list(holder)
coll = put_in(keys[:-1], coll, holder)
holder[keys[-1]] = val
else:
coll = val
return coll
msg = put_in(key, msg, value)
return msg
except Exception:
logger.critical("Failed to deserialize", exc_info=True)
raise
def dumps_msgpack(msg, compression=None):
"""Dump msg into header and payload, both bytestrings
All of the message must be msgpack encodable
See Also:
loads_msgpack
"""
header = {}
payload = msgpack.dumps(msg, default=msgpack_encode_default, use_bin_type=True)
fmt, payload = maybe_compress(payload, compression=compression)
if fmt:
header["compression"] = fmt
if header:
header_bytes = msgpack.dumps(header, use_bin_type=True)
else:
header_bytes = b""
return [header_bytes, payload]
def loads_msgpack(header, payload):
"""Read msgpack header and payload back to Python object
See Also:
dumps_msgpack
"""
header = bytes(header)
if header:
header = msgpack.loads(
header, object_hook=msgpack_decode_default, use_list=False, **msgpack_opts
)
else:
header = {}
if header.get("compression"):
try:
decompress = compressions[header["compression"]]["decompress"]
payload = decompress(payload)
except KeyError:
raise ValueError(
"Data is compressed as %s but we don't have this"
" installed" % str(header["compression"])
)
return msgpack.loads(
payload, object_hook=msgpack_decode_default, use_list=False, **msgpack_opts
)
|