Mrli
别装作很努力,
因为结局不会陪你演戏。
Contacts:
QQ博客园

python中关于round函数的注意事项

2019/09/15 Python
Word count: 911 | Reading time: 4min

python中关于round函数的注意事项

round函数很简单,对浮点数进行近似取值,保留几位小数。

比如:

1
2
3
4
5
>>> round(10.0/3, 2)
3.33
>>> round(20/7)
3
#第一个参数是一个浮点数,第二个参数是保留的小数位数,可选,如果不写的话默认保留到整数。
1
2
3
4
5
6
7
8
9
10
#[round]函数文档-py3
def round(number, ndigits=None): # real signature unknown; restored from __doc__
"""
round(number[, ndigits]) -> number

Round a number to a given precision in decimal digits (default 0 digits).
This returns an int when called with one argument, otherwise the
same type as the number. ndigits may be negative.
"""
return 0

翻译一下什么意思呢?: 将数字四舍五入到给定精度,如果不给第二个精度参数的话就默认保留到0位(即整数)

这么简单的函数,能有什么坑呢?

1、round的结果跟python版本有关

1
2
3
4
5
6
7
#-------python2---------
>>> round(0.5)
1.0

#======python3==========
>>> round(0.5)
0

原因在于:

在python2.7的doc中,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.5的doc中,文档变成了“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。

然而需要注意的是

2、特殊数字round出来的结果可能未必是想要的。

1
2
>>> round(2.675, 2)
2.67

官方举例:python2和python3的doc

1
2
3
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。

例子2:

1
2
>>> round(123.45, 1)
123.5

意思就是说计算机需要先将十进制123.45转换为二进制,这个过程会导致二进制的值比123.45略大(比如123.45000001之类的),那么自然就得到123.5这个值了.


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

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

Author: Mrli

Link: https://nymrli.top/2018/10/18/python中关于round函数的注意事项/

Copyright: All articles in this blog are licensed under CC BY-NC-SA 3.0 unless stating additionally.

< PreviousPost
linux下apt-get介绍
NextPost >
HDOJ Problem 1002 - A + B Problem II
CATALOG
  1. 1. python中关于round函数的注意事项
    1. 1.1. 这么简单的函数,能有什么坑呢?