/usr/lib/python3/dist-packages/ubjson/decoder.py is in python3-ubjson 0.8.5-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 | # Copyright (c) 2016 Iotic Labs Ltd. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# https://github.com/Iotic-Labs/py-ubjson/blob/master/LICENSE
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""UBJSON draft v12 decoder. It does NOT support No-Op ('N') values"""
from io import BytesIO
from struct import Struct, pack, error as StructError
from decimal import Decimal, DecimalException
from .compat import raise_from, Mapping
try:
from .markers import (TYPE_NONE, TYPE_NULL, TYPE_BOOL_TRUE, TYPE_BOOL_FALSE, TYPE_INT8, TYPE_UINT8, TYPE_INT16,
TYPE_INT32, TYPE_INT64, TYPE_FLOAT32, TYPE_FLOAT64, TYPE_HIGH_PREC, TYPE_CHAR, TYPE_STRING,
OBJECT_START, OBJECT_END, ARRAY_START, ARRAY_END, CONTAINER_TYPE, CONTAINER_COUNT)
# decoder.pxd defines these when C extension is enabled
except ImportError: # pragma: no cover
pass
__TYPES = frozenset((TYPE_NULL, TYPE_BOOL_TRUE, TYPE_BOOL_FALSE, TYPE_INT8, TYPE_UINT8, TYPE_INT16, TYPE_INT32,
TYPE_INT64, TYPE_FLOAT32, TYPE_FLOAT64, TYPE_HIGH_PREC, TYPE_CHAR, TYPE_STRING))
__TYPES_NO_DATA = frozenset((TYPE_NULL, TYPE_BOOL_FALSE, TYPE_BOOL_TRUE))
__TYPES_INT = frozenset((TYPE_INT8, TYPE_UINT8, TYPE_INT16, TYPE_INT32, TYPE_INT64))
__SMALL_INTS_DECODED = {pack('>b', i): i for i in range(-128, 128)}
__SMALL_UINTS_DECODED = {pack('>B', i): i for i in range(256)}
__UNPACK_INT16 = Struct('>h').unpack
__UNPACK_INT32 = Struct('>i').unpack
__UNPACK_INT64 = Struct('>q').unpack
__UNPACK_FLOAT32 = Struct('>f').unpack
__UNPACK_FLOAT64 = Struct('>d').unpack
class DecoderException(ValueError):
"""Raised when decoding of a UBJSON stream fails."""
def __init__(self, message, fp=None):
if fp is None:
super(DecoderException, self).__init__(str(message))
else:
super(DecoderException, self).__init__('%s (at byte %d)' % (message, fp.tell()))
# pylint: disable=unused-argument
def __decode_high_prec(fp_read, marker):
length = __decode_int_non_negative(fp_read, fp_read(1))
raw = fp_read(length)
if len(raw) < length:
raise DecoderException('High prec. too short')
try:
return Decimal(raw.decode('utf-8'))
except UnicodeError as ex:
raise_from(DecoderException('Failed to decode decimal string'), ex)
except DecimalException as ex:
raise_from(DecoderException('Failed to decode decimal'), ex)
def __decode_int_non_negative(fp_read, marker):
if marker not in __TYPES_INT:
raise DecoderException('Integer marker expected')
value = __METHOD_MAP[marker](fp_read, marker)
if value < 0:
raise DecoderException('Negative count/length unexpected')
return value
def __decode_int8(fp_read, marker):
try:
return __SMALL_INTS_DECODED[fp_read(1)]
except KeyError as ex:
raise_from(DecoderException('Failed to unpack int8'), ex)
def __decode_uint8(fp_read, marker):
try:
return __SMALL_UINTS_DECODED[fp_read(1)]
except KeyError as ex:
raise_from(DecoderException('Failed to unpack uint8'), ex)
def __decode_int16(fp_read, marker):
try:
return __UNPACK_INT16(fp_read(2))[0]
except StructError as ex:
raise_from(DecoderException('Failed to unpack int16'), ex)
def __decode_int32(fp_read, marker):
try:
return __UNPACK_INT32(fp_read(4))[0]
except StructError as ex:
raise_from(DecoderException('Failed to unpack int32'), ex)
def __decode_int64(fp_read, marker):
try:
return __UNPACK_INT64(fp_read(8))[0]
except StructError as ex:
raise_from(DecoderException('Failed to unpack int64'), ex)
def __decode_float32(fp_read, marker):
try:
return __UNPACK_FLOAT32(fp_read(4))[0]
except StructError as ex:
raise_from(DecoderException('Failed to unpack float32'), ex)
def __decode_float64(fp_read, marker):
try:
return __UNPACK_FLOAT64(fp_read(8))[0]
except StructError as ex:
raise_from(DecoderException('Failed to unpack float64'), ex)
def __decode_char(fp_read, marker):
raw = fp_read(1)
if not raw:
raise DecoderException('Char missing')
try:
return raw.decode('utf-8')
except UnicodeError as ex:
raise_from(DecoderException('Failed to decode char'), ex)
def __decode_string(fp_read, marker):
# current marker is string identifier, so read next byte which identifies integer type
length = __decode_int_non_negative(fp_read, fp_read(1))
raw = fp_read(length)
if len(raw) < length:
raise DecoderException('String too short')
try:
return raw.decode('utf-8')
except UnicodeError as ex:
raise_from(DecoderException('Failed to decode string'), ex)
# same as string, except there is no 'S' marker
def __decode_object_key(fp_read, marker):
length = __decode_int_non_negative(fp_read, marker)
raw = fp_read(length)
if len(raw) < length:
raise DecoderException('String too short')
try:
return raw.decode('utf-8')
except UnicodeError as ex:
raise_from(DecoderException('Failed to decode object key'), ex)
__METHOD_MAP = {TYPE_NULL: (lambda _, __: None),
TYPE_BOOL_TRUE: (lambda _, __: True),
TYPE_BOOL_FALSE: (lambda _, __: False),
TYPE_INT8: __decode_int8,
TYPE_UINT8: __decode_uint8,
TYPE_INT16: __decode_int16,
TYPE_INT32: __decode_int32,
TYPE_INT64: __decode_int64,
TYPE_FLOAT32: __decode_float32,
TYPE_FLOAT64: __decode_float64,
TYPE_HIGH_PREC: __decode_high_prec,
TYPE_CHAR: __decode_char,
TYPE_STRING: __decode_string}
def __get_container_params(fp_read, in_mapping, no_bytes, object_pairs_hook): # pylint: disable=too-many-branches
container = object_pairs_hook() if in_mapping else []
marker = fp_read(1)
if marker == CONTAINER_TYPE:
marker = fp_read(1)
if marker not in __TYPES:
raise DecoderException('Invalid container type')
type_ = marker
marker = fp_read(1)
else:
type_ = TYPE_NONE
if marker == CONTAINER_COUNT:
count = __decode_int_non_negative(fp_read, fp_read(1))
counting = True
# special case - no data (None or bool)
if type_ in __TYPES_NO_DATA:
if in_mapping:
value = __METHOD_MAP[type_](fp_read, type_)
for _ in range(count):
container[__decode_object_key(fp_read, fp_read(1))] = value
else:
container = [__METHOD_MAP[type_](fp_read, type_)] * count
# Make __decode_container finish immediately
count = 0
# special case - bytes array
elif type_ == TYPE_UINT8 and not in_mapping and not no_bytes:
container = fp_read(count)
if len(container) < count:
raise DecoderException('Container bytes array too short')
# Make __decode_container finish immediately
count = 0
else:
# Reading ahead is just to capture type, which will not exist if type is fixed
marker = fp_read(1) if (in_mapping or type_ == TYPE_NONE) else type_
elif type_ == TYPE_NONE:
# set to one to indicate that not finished yet
count = 1
counting = False
else:
raise DecoderException('Container type without count')
return marker, counting, count, type_, container
def __decode_object(fp_read, no_bytes, object_pairs_hook):
marker, counting, count, type_, container = __get_container_params(fp_read, True, no_bytes, object_pairs_hook)
value = None
while count > 0 and (counting or marker != OBJECT_END):
# decode key for object
key = __decode_object_key(fp_read, marker)
marker = fp_read(1) if type_ == TYPE_NONE else type_
# decode value
try:
value = __METHOD_MAP[marker](fp_read, marker)
except KeyError:
handled = False
else:
handled = True
# handle outside above except (on KeyError) so do not have unfriendly "exception within except" backtrace
if not handled:
if marker == ARRAY_START:
value = __decode_array(fp_read, no_bytes, object_pairs_hook)
elif marker == OBJECT_START:
value = __decode_object(fp_read, no_bytes, object_pairs_hook)
else:
raise DecoderException('Invalid marker within object')
container[key] = value
if counting:
count -= 1
if count:
marker = fp_read(1)
return container
def __decode_array(fp_read, no_bytes, object_pairs_hook):
marker, counting, count, type_, container = __get_container_params(fp_read, False, no_bytes, object_pairs_hook)
value = None
while count > 0 and (counting or marker != ARRAY_END):
# decode value
try:
value = __METHOD_MAP[marker](fp_read, marker)
except KeyError:
handled = False
else:
handled = True
# handle outside above except (on KeyError) so do not have unfriendly "exception within except" backtrace
if not handled:
if marker == ARRAY_START:
value = __decode_array(fp_read, no_bytes, object_pairs_hook)
elif marker == OBJECT_START:
value = __decode_object(fp_read, no_bytes, object_pairs_hook)
else:
raise DecoderException('Invalid marker within array')
container.append(value)
if counting:
count -= 1
if count:
marker = fp_read(1) if type_ == TYPE_NONE else type_
return container
def load(fp, no_bytes=False, object_pairs_hook=None): # noqa (complexity)
"""Decodes and returns UBJSON from the given file-like object
Args:
fp: read([size])-able object
no_bytes (bool): If set, typed UBJSON arrays (uint8) will not be
converted to a bytes instance and instead treated like
any other array (i.e. result in a list).
object_pairs_hook (class): A alternative class to use as the mapping
type (instead of dict), e.g. OrderedDict
from the collections module.
Returns:
Decoded object
Raises:
DecoderException: If an encoding failure occured.
UBJSON types are mapped to Python types as follows. Numbers in brackets
denote Python version.
+----------------------------------+---------------+
| UBJSON | Python |
+==================================+===============+
| object | dict |
+----------------------------------+---------------+
| array | list |
+----------------------------------+---------------+
| string | (3) str |
| | (2) unicode |
+----------------------------------+---------------+
| uint8, int8, int16, int32, int64 | (3) int |
| | (2) int, long |
+----------------------------------+---------------+
| float32, float64 | float |
+----------------------------------+---------------+
| high_precision | Decimal |
+----------------------------------+---------------+
| array (typed, uint8) | (3) bytes |
| | (2) str |
+----------------------------------+---------------+
| true | True |
+----------------------------------+---------------+
| false | False |
+----------------------------------+---------------+
| null | None |
+----------------------------------+---------------+
"""
if object_pairs_hook is None:
object_pairs_hook = dict
elif not issubclass(object_pairs_hook, Mapping):
raise TypeError('object_pairs_hook is not a mapping type')
if fp is None:
raise TypeError('fp')
if not callable(fp.read):
raise TypeError('fp.read not callable')
fp_read = fp.read
marker = fp_read(1)
try:
try:
return __METHOD_MAP[marker](fp_read, marker)
except KeyError:
pass
if marker == ARRAY_START:
return __decode_array(fp_read, bool(no_bytes), object_pairs_hook)
elif marker == OBJECT_START:
return __decode_object(fp_read, bool(no_bytes), object_pairs_hook)
else:
raise DecoderException('Invalid marker')
except DecoderException as ex:
raise_from(DecoderException(ex.args[0], fp), ex)
def loadb(chars, no_bytes=False, object_pairs_hook=None):
"""Decodes and returns UBJSON from the given bytes or bytesarray object. See
load() for available arguments."""
with BytesIO(chars) as fp:
return load(fp, no_bytes=no_bytes, object_pairs_hook=object_pairs_hook)
|