我想使用Python 3.6+以科学记数法表示JSON文件中的浮点数。没有
print
工作:所有三个0.001234567
给出
1.234567e-03
而不是所需的
float
(请注意,最后一个版本至少在Python 2.7.15rc1中起作用。)
答案也适用于{{1}}的列表。
任何提示?
答案 0 :(得分:2)
试试这个。您必须为dicts,lists,sets等添加一些特殊的大小写,但是通过引用collections.abc
中的抽象基类,您可以避免显式测试特定类型。
请注意,Sequence
的测试必须避免匹配str
类型,因为迭代str
会产生一堆1个字符的str
s,这是也是可迭代的Sequence
,依此类推,直到达到递归限制。我找不到代表“序列容器,但不是str”的ABC。
(我也必须回应Alex Martelli对相关帖子的批评,认为必须做这么多工作只是为了格式化特定类型,这就说明了本模块中类的设计中的问题。)
import json
from collections.abc import Mapping, Sequence
a = 0.001234567
class ScientificNotationEncoder(json.JSONEncoder):
def iterencode(self, o, _one_shot=False):
if isinstance(o, float):
return "{:e}".format(o)
elif isinstance(o, Mapping):
return "{{{}}}".format(', '.join('"{}" : {}'.format(str(ok), self.iterencode(ov))
for ok, ov in o.items()))
elif isinstance(o, Sequence) and not isinstance(o, str):
return "[{}]".format(', '.join(map(self.iterencode, o)))
return ', '.join(super().iterencode(o, _one_shot))
aout = json.dumps([a, a, "xyzzy", 42, {'z': a}, (a, a, a),],
cls=ScientificNotationEncoder)
print(aout)
# loading back in seems to still work okay!
print(json.loads(aout))
打印:
[1.234567e-03, 1.234567e-03, "xyzzy", 42, {"z" : 1.234567e-03}, [1.234567e-03, 1.234567e-03, 1.234567e-03]]
[0.001234567, 0.001234567, 'xyzzy', 42, {'z': 0.001234567}, [0.001234567, 0.001234567, 0.001234567]]