2 回答
TA贡献1829条经验 获得超9个赞
问题出在使用namedtuple._asdict,而不是json.dumps。如果您一起看代码,namedtuple(..., verbose=True)将会看到以下内容:
def _asdict(self):
'Return a new OrderedDict which maps field names to their values'
return OrderedDict(zip(self._fields, self))
实际上,只有顶层被更改为OrderedDict,所有包含的元素都保持不变。这意味着嵌套的namedtuples仍然是tuple子类,并且(正确地)进行了序列化等等。
如果可以接受对特定转换函数的调用(如对的调用_asdict),则可以编写自己的函数。
def namedtuple_asdict(obj):
if hasattr(obj, "_asdict"): # detect namedtuple
return OrderedDict(zip(obj._fields, (namedtuple_asdict(item) for item in obj)))
elif isinstance(obj, basestring): # iterables - strings
return obj
elif hasattr(obj, "keys"): # iterables - mapping
return OrderedDict(zip(obj.keys(), (namedtuple_asdict(item) for item in obj.values())))
elif hasattr(obj, "__iter__"): # iterables - sequence
return type(obj)((namedtuple_asdict(item) for item in obj))
else: # non-iterable cannot contain namedtuples
return obj
json.dumps(namedtuple_asdict(a1))
# prints '{"f1": [0, 1, 2, 3, 4], "words": [{"f2": [0, 1, 2], "value": "abc"}, {"f2": [3, 4], "value": "def"}]}'
如您所见,最大的问题是嵌套结构不是 namedtuples而是可以包含它们。
TA贡献1820条经验 获得超2个赞
这是我使用的版本,改编自宫城先生的版本。我使用isinstancewithcollections.abc代替hasattr,然后_type在结果字典中将一个键命名为namedtuple类的名称。
import collections.abc
def _nt_to_dict(obj):
recurse = lambda x: map(_nt_to_dict, x)
obj_is = lambda x: isinstance(obj, x)
if obj_is(tuple) and hasattr(obj, '_fields'): # namedtuple
fields = zip(obj._fields, recurse(obj))
class_name = obj.__class__.__name__
return dict(fields, **{'_type': class_name})
elif obj_is(collections.abc.Mapping):
return type(obj)(zip(obj.keys(), recurse(obj.values())))
elif obj_is(collections.abc.Iterable) and not obj_is(str):
return type(obj)(recurse(obj))
else:
return obj
添加回答
举报