我有
d = {'a':'Ali', 'b':2341, 'c':0.2424242421, 'p':3.141592}
我想将它打印到std但是我想格式化数字,比如删除过多的小数位,比如
{'a':'Ali', 'b':2341, 'c':0.24, 'p':3.14}
显然我可以查看所有项目,看看它们是否是'类型'我想格式化并格式化它们并打印结果,
但是format
或者在某种程度上将字符串输出打印时,是否有更好的方法__str__()
字典中的所有数字?
编辑:
我正在寻找一些神奇的东西:
'{format only floats and ignore the rest}'.format(d)
或来自yaml
世界或类似的东西。
答案 0 :(得分:4)
您可以使用round
将浮点数舍入到给定的精度。要识别浮点数,请使用isinstance
:
>>> {k:round(v,2) if isinstance(v,float) else v for k,v in d.iteritems()}
{'a': 'Ali', 'p': 3.14, 'c': 0.24, 'b': 2341}
round
上的帮助:
>>> print round.__doc__
round(number[, ndigits]) -> floating point number
Round a number to a given precision in decimal digits (default 0 digits).
This always returns a floating point number. Precision may be negative.
<强>更新强>
您可以创建dict
的子类并覆盖__str__
的行为:
class my_dict(dict):
def __str__(self):
return str({k:round(v,2) if isinstance(v,float) else v
for k,v in self.iteritems()})
...
>>> d = my_dict({'a':'Ali', 'b':2341, 'c':0.2424242421, 'p':3.141592})
>>> print d
{'a': 'Ali', 'p': 3.14, 'c': 0.24, 'b': 2341}
>>> "{}".format(d)
"{'a': 'Ali', 'p': 3.14, 'c': 0.24, 'b': 2341}"
>>> d
{'a': 'Ali', 'p': 3.141592, 'c': 0.2424242421, 'b': 2341}
答案 1 :(得分:0)
要将float转换为两位小数,请执行以下操作:
a = 3.141592
b = float("%.2f" % a) #b will have 2 decimal places!
你也可以这样做:
b = round(a,2)
所以要美化你的字典:
newdict = {}
for x in d:
if isinstance(d[x],float):
newdict[x] = round(d[x],2)
else:
newdict[x] = d[x]
您也可以这样做:
newdict = {}
for x in d:
if isinstance(d[x],float):
newdict[x] = float("%.2f" % d[x])
else:
newdict[x] = d[x]
虽然建议使用第一个!