Python 中關於 round 函數的小坑

round函數很簡單,對浮點數進行近似取值,保留幾位小數。比如:

>>> round(10.0/3, 2)
3.33
>>> round(20/7)
3

第一個參數是一個浮點數,第二個參數是保留的小數位數,可選,如果不寫的話默認保留到整數。

1、round的結果跟python版本有關

我們來看看python2和python3中有什麼不同:

$ python
Python 2.7.8 (default, Jun 18 2015, 18:54:19) 
[GCC 4.9.1] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> round(0.5)
1.0
$ python3
Python 3.4.3 (default, Oct 14 2015, 20:28:29) 
[GCC 4.8.4] on linux
Type "help", "copyright", "credits" or "license" for more information.
>>> round(0.5)
0

好玩嗎?

如果我們閱讀一下python的文檔,裏面是這麼寫的:

在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。

所以如果有項目是從py2遷移到py3的,可要注意一下round的地方(當然,還要注意/和//,還有print,還有一些比較另類的庫)。

以上。除非對精確度沒什麼要求,否則儘量避開用round()函數。近似計算我們還有其他的選擇:

使用math模塊中的一些函數,比如math.ceiling(天花板除法)。
python自帶整除,python2中是/,3中是//,還有div函數。
字符串格式化可以做截斷使用,例如 "%.2f" % value(保留兩位小數並變成字符串……如果還想用浮點數請披上float()的外衣)。
當然,對浮點數精度要求如果很高的話,請用decimal模塊。

 

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章