python-flask中Object of type ‘Decimal‘ is not JSON serializable 报错_解决方法
在使用flask进行开发的时候发现Decimal类型的数据无法在作为 JSON 通过相应消息体序列化返回,出现jsonschema.exceptions.ValidationError错误:jsonschema.exceptions.ValidationError: '1000.00' is not of type 'number'研究flask_restful/representations/j
·
在使用flask进行开发的时候发现 Decimal 类型的数据无法在作为 JSON 通过相应消息体序列化返回,出现 jsonschema.exceptions.ValidationError 错误:
jsonschema.exceptions.ValidationError: '1000.00' is not of type 'number'
研究 flask_restful/representations/json.py 代码发现问题出现在 json.dump()中
def output_json(data, code, headers=None):
"""Makes a Flask response with a JSON encoded body"""
settings = current_app.config.get('RESTFUL_JSON', {})
...
dumped = dumps(data, **settings) + "\n"
通过下面实验也可以对问题得到验证。
结合flask_restful,可以自行定义从JSONEncoder继承下来的序列化类,通过在config中的’RESTFUL_JSON’进行定义。
只需重写flask.json中的JSONEncoder方法
报这个错是因为json.dumps函数发现字典里面有 Decimal类型的数据,无法JSON serializable
解决方法:是检查到Decimal类型的值转化成float类型
from flask import Flask as _Flask
from flask.json import JSONEncoder as _JSONEncoder
class JSONEncoder(_JSONEncoder):
def default(self, o):
import decimal
if isinstance(o, decimal.Decimal):
return float(o)
super(JSONEncoder, self).default(o)
class Flask(_Flask):
json_encoder = JSONEncoder
类似还有:TypeError: Object of type 'type' is not JSON serializable
原因是因为json.dumps函数发现字典里面有bytes类型的数据,无法编码。解决方法:在编码函数之前写一个编码类,只要检查到了是bytes类型的数据就把它转化成str类型。
import json
class BytesEncoder(json.JSONEncoder):
def default(self,obj):
"""
只要检查到了是bytes类型的数据就把它转为str类型
:param obj:
:return:
"""
if isinstance(obj,bytes):
return str(obj,encoding='utf-8')
return json.JSONEncoder.default(self,obj)
另一种解决方案
import json
result = [
{'name': '小红', 'age': 26, 'balance': decimal.Decimal(21.56)},
{'name': '小明', 'age': 24, 'balance': decimal.Decimal(31.23)},
]
class DecimalEncoder(json.JSONEncoder):
def default(self, o):
if isinstance(o, decimal.Decimal):
return float(o)
super(DecimalEncoder, self).default(o)
# jsonData是结合上下文自己定义的
# ensure_ascii=False,显示中文
result = json.dumps(result, cls=DecimalEncoder, ensure_ascii=False)
print(result)
更多推荐
已为社区贡献7条内容
所有评论(0)