如何打印3个小数位的numpy数组?我尝试了array.round(3)
,但它会像6.000e-01
一样继续打印。有没有选项让它像这样打印:6.000
?
我有一个解决方案print ("%0.3f" % arr)
,但我想要一个全局解决方案,即每次我想检查数组内容时都不这样做。
答案 0 :(得分:25)
np.set_printoptions(formatter={'float': lambda x: "{0:0.3f}".format(x)})
这将设置numpy以使用此lambda函数格式化它打印出来的每个浮点数。
您可以为其他类型定义格式(来自函数的文档字符串)
- 'bool'
- 'int'
- 'timedelta' : a `numpy.timedelta64`
- 'datetime' : a `numpy.datetime64`
- 'float'
- 'longfloat' : 128-bit floats
- 'complexfloat'
- 'longcomplexfloat' : composed of two 128-bit floats
- 'numpy_str' : types `numpy.string_` and `numpy.unicode_`
- 'str' : all other strings
Other keys that can be used to set a group of types at once are::
- 'all' : sets all types
- 'int_kind' : sets 'int'
- 'float_kind' : sets 'float' and 'longfloat'
- 'complex_kind' : sets 'complexfloat' and 'longcomplexfloat'
- 'str_kind' : sets 'str' and 'numpystr'
答案 1 :(得分:17)
实际上你需要的是np.set_printoptions(precision=3)
。有很多helpful other parameters there。
例如:
np.random.seed(seed=0)
a = np.random.rand(3, 2)
print a
np.set_printoptions(precision=3)
print a
将显示以下内容:
[[ 0.5488135 0.71518937]
[ 0.60276338 0.54488318]
[ 0.4236548 0.64589411]]
[[ 0.549 0.715]
[ 0.603 0.545]
[ 0.424 0.646]]
答案 2 :(得分:11)
更简单的解决方案是使用numpy。
>>> randomArray = np.random.rand(2,2)
>>> print(randomArray)
array([[ 0.07562557, 0.01266064],
[ 0.02759759, 0.05495717]])
>>> print(np.around(randomArray,3))
[[ 0.076 0.013]
[ 0.028 0.055]]