Python中round函数

Python round()

描述

返回浮点数 x 的四舍五入值

语法

round(x[, n])

参数

  • x:数值表达式

  • n:数值表达式,表示精确到小数点位数,默认保留到整数位。

实例

#!/usr/bin/python

print("round(80.23456, 2) : ", round(80.23456, 2))
print("round(100.000056, 3) : ", round(100.000056, 3))
print("round(-100.000056, 3) : ", round(-100.000056, 3))

结果:

round(80.23456, 2) :  80.23
round(100.000056, 3) :  100.0
round(-100.000056, 3) :  -100.0

补充

round函数并不总是四舍五入

如:

In [0]:round(2.355, 2)
Out [1]:2.35

因为该函数对于返回的浮点数并不是按照四舍五入的规则来计算,而会受到Python版本和计算机表示精度的影响。

  1. Python2与Python3:
Python 2.7.8 (default, Oct 18 2021, 18:54:19) 
Type "help", "copyright", "credits" or "license" for more information.
>>> round(0.5)
1.0
Python 3.4.3 (default, Oct 14 2021, 20:28:29) 
Type "help", "copyright", "credits" or "license" for more information.
>>> round(0.5)
0

看一下Python文档:

Python2.7 round(),round()的最后写着,“Values are rounded to the closest multiple of 10 to the power minus ndigits; if two multiples are equally close, rounding is done away from 0.” 保留值将保留到离上一位更近的一端(四舍六入),如果距离两端一样远,则保留到离0远的一边。所以round(0.5)会近似到1,而round(-0.5)会近似到-1。

Python3.7 round(),文档变成了"values are rounded to the closest multiple of 10 to the power minus ndigits; if two multiples are equally close, rounding is done toward the even choice." 如果距离两边一样远,会保留到偶数的一边。比如round(0.5)和round(-0.5)都会保留到0,而round(1.5)会保留到2。

所以如果有项目是从py2迁移到py3的,可要注意一下round的地方(当然,还要注意/和//,还有print,还有一些比较另类的库)。

  1. 计算机精度

    >>> round(2.675, 2)
    2.67
    

    python2和python3的doc中都举了个相同的例子,原文是这么说的:

    Note

    The behavior of round() for floats can be surprising: for example, round(2.675, 2) gives 2.67 instead of the expected 2.68. This is not a bug: it’s a result of the fact that most decimal fractions can’t be represented exactly as a float. See Floating Point Arithmetic: Issues and Limitations for more information.

    简单的说就是,round(2.675, 2) 的结果,不论我们从python2还是3来看,结果都应该是2.68的,结果它偏偏是2.67,为什么?这跟浮点数的精度有关。我们知道在机器中浮点数不一定能精确表达,因为换算成一串1和0后可能是无限位数的,机器已经做出了截断处理。那么在机器中保存的2.675这个数字就比实际数字要小那么一点点。这一点点就导致了它离2.67要更近一点点,所以保留两位小数时就近似到了2.67。

以上。除非对精确度没什么要求,否则尽量避开用round()函数。近似计算我们还有其他的选择:

  • 使用math模块中的一些函数,比如math.ceiling(天花板除法)。
  • python自带整除,python2中是/,3中是//,还有div函数。
  • 字符串格式化可以做截断使用,例如 “%.2f” % value(保留两位小数并变成字符串……如果还想用浮点数请披上float()的外衣)。
  • 当然,对浮点数精度要求如果很高的话,请用嘚瑟馍,不对不对,请用decimal模块。

参数n

当参数n不存在时,round()函数的输出为整数

当参数n存在时,即使为0,round()函数的输出也会是一个浮点数

此外,n的值可以是负数,表示在整数位部分四舍五入,但结果仍是浮点数

例如:

print(round(123.45))
print(round(123.45,0))
print(round(123.45,-1))

结果是:

123
123.0
120.0

Guess you like

Origin blog.csdn.net/wq_0708/article/details/121097475