本文介绍了使Python json编码器支持Python的新数据类的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
从Python 3.7开始,有一种叫做数据类的东西:
Starting with Python 3.7, there is something called a dataclass:
from dataclasses import dataclass
@dataclass
class Foo:
x: str
但是,以下操作失败:
>>> import json
>>> foo = Foo(x="bar")
>>> json.dumps(foo)
TypeError: Object of type Foo is not JSON serializable
如何使json.dumps()
将Foo
的实例编码为json 对象 ?
How can I make json.dumps()
encode instances of Foo
into json objects?
推荐答案
就像您可以为或小数,您还可以提供自定义编码器子类来序列化数据类:
Much like you can add support to the JSON encoder for datetime
objects or Decimals, you can also provide a custom encoder subclass to serialize dataclasses:
import dataclasses, json
class EnhancedJSONEncoder(json.JSONEncoder):
def default(self, o):
if dataclasses.is_dataclass(o):
return dataclasses.asdict(o)
return super().default(o)
json.dumps(foo, cls=EnhancedJSONEncoder)
这篇关于使Python json编码器支持Python的新数据类的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!