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 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478
|
import warnings
from base64 import standard_b64encode
from datetime import datetime, date, time, timedelta
from decimal import Decimal
from fractions import Fraction
from functools import wraps
from json import JSONEncoder
import sys
from .utils import hashodict, get_module_name_from_object, NoEnumException, NoPandasException, \
NoNumpyException, str_type, JsonTricksDeprecation, gzip_compress, filtered_wrapper, is_py3
def _fallback_wrapper(encoder):
"""
This decorator makes an encoder run only if the current object hasn't been changed yet.
(Changed-ness is checked with is_changed which is based on identity with `id`).
"""
@wraps(encoder)
def fallback_encoder(obj, is_changed, **kwargs):
if is_changed:
return obj
return encoder(obj, is_changed=is_changed, **kwargs)
return fallback_encoder
def fallback_ignore_unknown(obj, is_changed=None, fallback_value=None):
"""
This encoder returns None if the object isn't changed by another encoder and isn't a primitive.
"""
if is_changed:
return obj
if obj is None or isinstance(obj, (int, float, str_type, bool, list, dict)):
return obj
return fallback_value
class TricksEncoder(JSONEncoder):
"""
Encoder that runs any number of encoder functions or instances on
the objects that are being encoded.
Each encoder should make any appropriate changes and return an object,
changed or not. This will be passes to the other encoders.
"""
def __init__(self, obj_encoders=None, silence_typeerror=False, primitives=False, fallback_encoders=(), properties=None, **json_kwargs):
"""
:param obj_encoders: An iterable of functions or encoder instances to try.
:param silence_typeerror: DEPRECATED - If set to True, ignore the TypeErrors that Encoder instances throw (default False).
"""
if silence_typeerror and not getattr(TricksEncoder, '_deprecated_silence_typeerror'):
TricksEncoder._deprecated_silence_typeerror = True
sys.stderr.write('TricksEncoder.silence_typeerror is deprecated and may be removed in a future version\n')
self.obj_encoders = []
if obj_encoders:
self.obj_encoders = list(obj_encoders)
self.obj_encoders.extend(_fallback_wrapper(encoder) for encoder in list(fallback_encoders))
self.obj_encoders = [filtered_wrapper(enc) for enc in self.obj_encoders]
self.silence_typeerror = silence_typeerror
self.properties = properties
self.primitives = primitives
super(TricksEncoder, self).__init__(**json_kwargs)
def default(self, obj, *args, **kwargs):
"""
This is the method of JSONEncoders that is called for each object; it calls
all the encoders with the previous one's output used as input.
It works for Encoder instances, but they are expected not to throw
`TypeError` for unrecognized types (the super method does that by default).
It never calls the `super` method so if there are non-primitive types
left at the end, you'll get an encoding error.
"""
prev_id = id(obj)
for encoder in self.obj_encoders:
obj = encoder(obj, primitives=self.primitives, is_changed=id(obj) != prev_id, properties=self.properties)
if id(obj) == prev_id:
raise TypeError(('Object of type {0:} could not be encoded by {1:} using encoders [{2:s}]. '
'You can add an encoders for this type using `extra_obj_encoders`. If you want to \'skip\' this '
'object, consider using `fallback_encoders` like `str` or `lambda o: None`.').format(
type(obj), self.__class__.__name__, ', '.join(str(encoder) for encoder in self.obj_encoders)))
return obj
def json_date_time_encode(obj, primitives=False):
"""
Encode a date, time, datetime or timedelta to a string of a json dictionary, including optional timezone.
:param obj: date/time/datetime/timedelta obj
:return: (dict) json primitives representation of date, time, datetime or timedelta
"""
if primitives and isinstance(obj, (date, time, datetime)):
return obj.isoformat()
if isinstance(obj, datetime):
dct = hashodict([('__datetime__', None), ('year', obj.year), ('month', obj.month),
('day', obj.day), ('hour', obj.hour), ('minute', obj.minute),
('second', obj.second), ('microsecond', obj.microsecond)])
if obj.tzinfo:
if hasattr(obj.tzinfo, 'zone'):
dct['tzinfo'] = obj.tzinfo.zone
else:
dct['tzinfo'] = obj.tzinfo.tzname(None)
dct['is_dst'] = bool(obj.dst())
elif isinstance(obj, date):
dct = hashodict([('__date__', None), ('year', obj.year), ('month', obj.month), ('day', obj.day)])
elif isinstance(obj, time):
dct = hashodict([('__time__', None), ('hour', obj.hour), ('minute', obj.minute),
('second', obj.second), ('microsecond', obj.microsecond)])
if obj.tzinfo:
if hasattr(obj.tzinfo, 'zone'):
dct['tzinfo'] = obj.tzinfo.zone
else:
dct['tzinfo'] = obj.tzinfo.tzname(None)
elif isinstance(obj, timedelta):
if primitives:
return obj.total_seconds()
else:
dct = hashodict([('__timedelta__', None), ('days', obj.days), ('seconds', obj.seconds),
('microseconds', obj.microseconds)])
else:
return obj
for key, val in tuple(dct.items()):
if not key.startswith('__') and not key == 'is_dst' and not val:
del dct[key]
return dct
def enum_instance_encode(obj, primitives=False, with_enum_value=False):
"""Encodes an enum instance to json. Note that it can only be recovered if the environment allows the enum to be
imported in the same way.
:param primitives: If true, encode the enum values as primitive (more readable, but cannot be restored automatically).
:param with_enum_value: If true, the value of the enum is also exported (it is not used during import, as it should be constant).
"""
from enum import Enum
if not isinstance(obj, Enum):
return obj
if primitives:
return {obj.name: obj.value}
mod = get_module_name_from_object(obj)
representation = dict(
__enum__=dict(
# Don't use __instance_type__ here since enums members cannot be created with __new__
# Ie we can't rely on class deserialization to read them.
__enum_instance_type__=[mod, type(obj).__name__],
name=obj.name,
),
)
if with_enum_value:
representation['__enum__']['value'] = obj.value
return representation
def noenum_instance_encode(obj, primitives=False):
if type(obj.__class__).__name__ == 'EnumMeta':
raise NoEnumException(('Trying to encode an object of type {0:} which appears to be '
'an enum, but enum support is not enabled, perhaps it is not installed.').format(type(obj)))
return obj
def class_instance_encode(obj, primitives=False):
"""
Encodes a class instance to json. Note that it can only be recovered if the environment allows the class to be
imported in the same way.
"""
if isinstance(obj, list) or isinstance(obj, dict):
return obj
if hasattr(obj, '__class__') and (hasattr(obj, '__dict__') or hasattr(obj, '__slots__')):
if not hasattr(obj, '__new__'):
raise TypeError('class "{0:s}" does not have a __new__ method; '.format(obj.__class__) +
('perhaps it is an old-style class not derived from `object`; add `object` as a base class to encode it.'
if (sys.version[:2] == '2.') else 'this should not happen in Python3'))
if type(obj) == type(lambda: 0):
raise TypeError('instance "{0:}" of class "{1:}" cannot be encoded because it appears to be a lambda or function.'
.format(obj, obj.__class__))
try:
obj.__new__(obj.__class__)
except TypeError:
raise TypeError(('instance "{0:}" of class "{1:}" cannot be encoded, perhaps because it\'s __new__ method '
'cannot be called because it requires extra parameters').format(obj, obj.__class__))
mod = get_module_name_from_object(obj)
if mod == 'threading':
# In Python2, threading objects get serialized, which is probably unsafe
return obj
name = obj.__class__.__name__
if hasattr(obj, '__json_encode__'):
attrs = obj.__json_encode__()
if primitives:
return attrs
else:
return hashodict((('__instance_type__', (mod, name)), ('attributes', attrs)))
dct = hashodict([('__instance_type__',(mod, name))])
if hasattr(obj, '__slots__'):
slots = obj.__slots__
if isinstance(slots, str):
slots = [slots]
dct['slots'] = hashodict([])
for s in slots:
if s == '__dict__':
continue
if s == '__weakref__':
continue
dct['slots'][s] = getattr(obj, s)
if hasattr(obj, '__dict__'):
dct['attributes'] = hashodict(obj.__dict__)
if primitives:
attrs = dct.get('attributes',{})
attrs.update(dct.get('slots',{}))
return attrs
else:
return dct
return obj
def json_complex_encode(obj, primitives=False):
"""
Encode a complex number as a json dictionary of its real and imaginary part.
:param obj: complex number, e.g. `2+1j`
:return: (dict) json primitives representation of `obj`
"""
if isinstance(obj, complex):
if primitives:
return [obj.real, obj.imag]
else:
return hashodict(__complex__=[obj.real, obj.imag])
return obj
def bytes_encode(obj, primitives=False):
"""
Encode bytes as one of these:
* A utf8-string with special `__bytes_utf8__` marking, if the bytes are valid utf8 and primitives is False.
* A base64 encoded string of the bytes with special `__bytes_b64__` marking, if the bytes are not utf8, or if primitives is True.
:param obj: any object, which will be transformed if it is of type bytes
:return: (dict) json primitives representation of `obj`
"""
if isinstance(obj, bytes):
if not is_py3:
return obj
if primitives:
return hashodict(__bytes_b64__=standard_b64encode(obj).decode('ascii'))
else:
try:
return hashodict(__bytes_utf8__=obj.decode('utf-8'))
except UnicodeDecodeError:
return hashodict(__bytes_b64__=standard_b64encode(obj).decode('ascii'))
return obj
def numeric_types_encode(obj, primitives=False):
"""
Encode Decimal and Fraction.
:param primitives: Encode decimals and fractions as standard floats. You may lose precision. If you do this, you may need to enable `allow_nan` (decimals always allow NaNs but floats do not).
"""
if isinstance(obj, Decimal):
if primitives:
return float(obj)
else:
return {
'__decimal__': str(obj.canonical()),
}
if isinstance(obj, Fraction):
if primitives:
return float(obj)
else:
return hashodict((
('__fraction__', True),
('numerator', obj.numerator),
('denominator', obj.denominator),
))
return obj
def pathlib_encode(obj, primitives=False):
from pathlib import Path
if not isinstance(obj, Path):
return obj
if primitives:
return str(obj)
return {'__pathlib__': str(obj)}
def slice_encode(obj, primitives=False):
if not isinstance(obj, slice):
return obj
if primitives:
return [obj.start, obj.stop, obj.step]
else:
return hashodict((
('__slice__', True),
('start', obj.start),
('stop', obj.stop),
('step', obj.step),
))
class ClassInstanceEncoder(JSONEncoder):
"""
See `class_instance_encoder`.
"""
# Not covered in tests since `class_instance_encode` is recommended way.
def __init__(self, obj, encode_cls_instances=True, **kwargs):
self.encode_cls_instances = encode_cls_instances
super(ClassInstanceEncoder, self).__init__(obj, **kwargs)
def default(self, obj, *args, **kwargs):
if self.encode_cls_instances:
obj = class_instance_encode(obj)
return super(ClassInstanceEncoder, self).default(obj, *args, **kwargs)
def json_set_encode(obj, primitives=False):
"""
Encode python sets as dictionary with key __set__ and a list of the values.
Try to sort the set to get a consistent json representation, use arbitrary order if the data is not ordinal.
"""
if isinstance(obj, set):
try:
repr = sorted(obj)
except Exception:
repr = list(obj)
if primitives:
return repr
else:
return hashodict(__set__=repr)
return obj
def pandas_encode(obj, primitives=False):
from pandas import DataFrame, Series
if isinstance(obj, DataFrame):
repr = hashodict()
if not primitives:
repr['__pandas_dataframe__'] = hashodict((
('column_order', tuple(obj.columns.values)),
('types', tuple(str(dt) for dt in obj.dtypes)),
))
repr['index'] = tuple(obj.index.values)
for k, name in enumerate(obj.columns.values):
repr[name] = tuple(obj.iloc[:, k].values)
return repr
if isinstance(obj, Series):
repr = hashodict()
if not primitives:
repr['__pandas_series__'] = hashodict((
('name', str(obj.name)),
('type', str(obj.dtype)),
))
repr['index'] = tuple(obj.index.values)
repr['data'] = tuple(obj.values)
return repr
return obj
def nopandas_encode(obj):
if ('DataFrame' in getattr(obj.__class__, '__name__', '') or 'Series' in getattr(obj.__class__, '__name__', '')) \
and 'pandas.' in getattr(obj.__class__, '__module__', ''):
raise NoPandasException(('Trying to encode an object of type {0:} which appears to be '
'a numpy array, but numpy support is not enabled, perhaps it is not installed.').format(type(obj)))
return obj
def numpy_encode(obj, primitives=False, properties=None):
"""
Encodes numpy `ndarray`s as lists with meta data.
Encodes numpy scalar types as Python equivalents. Special encoding is not possible,
because int64 (in py2) and float64 (in py2 and py3) are subclasses of primitives,
which never reach the encoder.
:param primitives: If True, arrays are serialized as (nested) lists without meta info.
"""
from numpy import ndarray, generic
if isinstance(obj, ndarray):
if primitives:
return obj.tolist()
else:
properties = properties or {}
use_compact = properties.get('ndarray_compact', None)
store_endianness = properties.get('ndarray_store_byteorder', None)
assert store_endianness in [None, 'little', 'big', 'suppress'] ,\
'property ndarray_store_byteorder should be \'little\', \'big\' or \'suppress\' if provided'
json_compression = bool(properties.get('compression', False))
if use_compact is None and json_compression and not getattr(numpy_encode, '_warned_compact', False):
numpy_encode._warned_compact = True
warnings.warn('storing ndarray in text format while compression in enabled; in the next major version '
'of json_tricks, the default when using compression will change to compact mode; to already use '
'that smaller format, pass `properties={"ndarray_compact": True}` to json_tricks.dump; '
'to silence this warning, pass `properties={"ndarray_compact": False}`; '
'see issue https://github.com/mverleg/pyjson_tricks/issues/73', JsonTricksDeprecation)
# Property 'use_compact' may also be an integer, in which case it's the number of
# elements from which compact storage is used.
if isinstance(use_compact, int) and not isinstance(use_compact, bool):
use_compact = obj.size >= use_compact
if use_compact:
# If the overall json file is compressed, then don't compress the array.
data_json = _ndarray_to_bin_str(obj, do_compress=not json_compression, store_endianness=store_endianness)
else:
data_json = obj.tolist()
dct = hashodict((
('__ndarray__', data_json),
('dtype', str(obj.dtype)),
('shape', obj.shape),
))
if len(obj.shape) > 1:
dct['Corder'] = obj.flags['C_CONTIGUOUS']
if use_compact and store_endianness != 'suppress':
dct['endian'] = store_endianness or sys.byteorder
return dct
elif isinstance(obj, generic):
if NumpyEncoder.SHOW_SCALAR_WARNING:
NumpyEncoder.SHOW_SCALAR_WARNING = False
warnings.warn('json-tricks: numpy scalar serialization is experimental and may work differently in future versions')
return obj.item()
return obj
def _ndarray_to_bin_str(array, do_compress, store_endianness):
"""
From ndarray to base64 encoded, gzipped binary data.
"""
from base64 import standard_b64encode
assert array.flags['C_CONTIGUOUS'], 'only C memory order is (currently) supported for compact ndarray format'
original_size = array.size * array.itemsize
header = 'b64:'
if store_endianness in ['little', 'big'] and store_endianness != sys.byteorder:
array = array.byteswap(inplace=False)
data = array.data
if do_compress:
small = gzip_compress(data, compresslevel=9)
if len(small) < 0.9 * original_size and len(small) < original_size - 8:
header = 'b64.gz:'
data = small
data = standard_b64encode(data)
return header + data.decode('ascii')
class NumpyEncoder(ClassInstanceEncoder):
"""
JSON encoder for numpy arrays.
"""
SHOW_SCALAR_WARNING = True # show a warning that numpy scalar serialization is experimental
def default(self, obj, *args, **kwargs):
"""
If input object is a ndarray it will be converted into a dict holding
data type, shape and the data. The object can be restored using json_numpy_obj_hook.
"""
warnings.warn('`NumpyEncoder` is deprecated, use `numpy_encode`', JsonTricksDeprecation)
obj = numpy_encode(obj)
return super(NumpyEncoder, self).default(obj, *args, **kwargs)
def nonumpy_encode(obj):
"""
Raises an error for numpy arrays.
"""
if 'ndarray' in getattr(obj.__class__, '__name__', '') and 'numpy.' in getattr(obj.__class__, '__module__', ''):
raise NoNumpyException(('Trying to encode an object of type {0:} which appears to be '
'a pandas data stucture, but pandas support is not enabled, perhaps it is not installed.').format(type(obj)))
return obj
class NoNumpyEncoder(JSONEncoder):
"""
See `nonumpy_encode`.
"""
def default(self, obj, *args, **kwargs):
warnings.warn('`NoNumpyEncoder` is deprecated, use `nonumpy_encode`', JsonTricksDeprecation)
obj = nonumpy_encode(obj)
return super(NoNumpyEncoder, self).default(obj, *args, **kwargs)
|