小编典典

Python JSON 序列化一个 Decimal 对象

all

我有一个Decimal('3.9')作为对象的一部分,并希望将其编码为一个 JSON 字符串,它应该看起来像{'x': 3.9}.
我不关心客户端的精度,所以浮点数很好。

有没有好的方法来序列化这个?JSONDecoder 不接受 Decimal 对象,并且预先转换为浮点数会产生{'x': 3.8999999999999999}错误,并且会浪费大量带宽。


阅读 224

收藏
2022-04-20

共1个答案

小编典典

子类化怎么样json.JSONEncoder

class DecimalEncoder(json.JSONEncoder):
    def default(self, o):
        if isinstance(o, decimal.Decimal):
            # wanted a simple yield str(o) in the next line,
            # but that would mean a yield on the line with super(...),
            # which wouldn't work (see my comment below), so...
            return (str(o) for o in [o])
        return super(DecimalEncoder, self).default(o)

然后像这样使用它:

json.dumps({'x': decimal.Decimal('5.5')}, cls=DecimalEncoder)
2022-04-20