如果 dict 值都是可序列化的
看起来简单地通过DictProxy
构造dict
函数允许您将数据序列化为 JSON。下面的示例来自 Python 3.6:
>>> import multiprocessing, json
>>> m = multiprocessing.Manager()
>>> d = m.dict()
>>> d["foo"] = "bar"
>>> d
<DictProxy object, typeid 'dict' at 0x2a4d630>
>>> dict(d)
{'foo': 'bar'}
>>> json.dumps(d)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
...
TypeError: Object of type 'DictProxy' is not JSON serializable
>>> json.dumps(dict(d))
'{"foo": "bar"}'
如您所见, whiled
是一个DictProxy
, 使用json.dumps(dict(d))
而不是json.dumps(d)
允许数据被序列化。如果您使用json.dump
,则同样适用。
如果某些 dict 值也是 DictProxies
DictProxy
不幸的是,如果 中的值也是,则上述方法不起作用DictProxy
。在此示例中创建了这样一个值:
>>> import multiprocessing
>>> m = multiprocessing.Manager()
>>> d = m.dict()
>>> d["foo"] = m.dict()
解决方案是扩展json.JSONEncoder
类以处理DictProxy
对象,如下所示:
>>> import multiprocessing, json
>>> class JSONEncoderWithDictProxy(json.JSONEncoder):
... def default(self, o):
... if isinstance(o, multiprocessing.managers.DictProxy):
... return dict(o)
... return json.JSONEncoder.default(self, o)
...
>>> m = multiprocessing.Manager()
>>> d = m.dict()
>>> d["foo"] = m.dict()
>>> d["foo"]["bar"] = "baz"
>>> json.dumps(d, cls=JSONEncoderWithDictProxy)
'{"foo": {"bar": "baz"}}'
>>> # This also works:
>>> JSONEncoderWithDictProxy().encode(d)
'{"foo": {"bar": "baz"}}'
当 JSON 编码器遇到 aDictProxy
时,它会将其转换为 adict
然后对其进行编码。有关详细信息,请参阅Python 文档。