一. python3里的四舍五入函数
对于简单的舍入运算,使用内置的 round(value, ndigits) 函数即可。
如果不指定ndigits,则返回整型,否则返回浮点型:比如:
print(round(1.23)) # 1
print(type(round(1.23))) # <class 'int'>
print(round(1.23, 0)) # 1.0
print(type(round(1.23, 0))) # <class 'float'>
print(round(1.23, 1)) # 1.2
print(type(round(1.23, 1))) # <class 'float'>
print(round(1.27, 1)) # 1.3
print(type(round(1.27, 1))) # <class 'float'>
print(round(-1.27, 1)) # -1.3
print(type(round(-1.27, 1))) # <class 'float'>
print(round(3.1415, 3)) # 3.142
print(type(round(3.1415, 3))) # <class 'float'>
传给 round() 函数的 ndigits 参数可以是负数,这种情况下, 舍入运算会作用在十位、百位、千位等上面。比如:
print(round(1627731, -1)) # 1627730
print(round(1627735, -1)) # 1627740
print(round(1627731, -2)) # 1627700
print(round(1627731, -3)) # 1628000
print(round(1627731.123, -1)) # 1627730.0
print(round(1627731.56, -2)) # 1627700.0
numpu数组的四舍五入
在数据处理的时候常常会用到 四舍五入,有时候需要精确到十分位,有时候需要精确到十位,这时候可以用round(number, decimal=’?’)来实现,decimal 就是控制小数点移动的位数。具体如下:
import numpy as np
a = np.array([1.136, 2.317, 2.65964, 123.3356, 4.61475])
print(np.round(a))
print(np.round(a, decimals=1))
print(np.round(a, decimals=2))
print(np.round(a, decimals=-1))
运行结果:
[ 1. 2. 3. 123. 5.]
[ 1.1 2.3 2.7 123.3 4.6]
[ 1.14 2.32 2.66 123.34 4.61]
[ 0. 0. 0. 120. 0.]
三. python3里的格式化输出
不要将舍入和格式化输出搞混淆了。 如果只是简单的输出一定宽度的数,则不需要使用 round() 函数。 只需要使用format()函数进行格式化并指定精度。比如:
x = 3.1415926
print(format(x, '5.2f'))
print(format(x, '4.0f'))
print(format(x, '6.3f'))
print(format(x, '3.3f'))
print(format(x, '0.3f'))
print('value is {:0.4f}'.format(x))
输出结果:
注意: 关于格式化输出:
- 先考小数点部分
- 再考虑整数部分
例如:C语言中 printf(%3.2f,sum),python中的格式化输出也是类似。
f 代表sum应以“小数”的格式输出,“3”在小数输出中表示“最少输出的字符数为3(少于此数,在前加空格,多了原样输出”,“. 2”在小数的输出中则表示“小数点后输出的最多字符数,少了加0,多则四五入”……例:原数sum若为123.4567 则输出的结果就应是“123.46”……