如何在python中将float转换为定点十进制

时间:2017-07-17 05:52:55

标签: python python-3.x floating-point decimal precision

我有一些库函数foo,它返回一个带有两个小数位(表示价格)的浮点值。我必须传递给其他函数bar,它需要一个带有两个小数位的固定点的十进制。

value = foo() # say value is 50.15
decimal_value = decimal.Decimal(value) # Not expected. decimal_value contains Decimal('50.14999999999999857891452847979962825775146484375')
bar(decimal_value) # Will not work as expected

# One possible solution
value = foo() # say value is 50.15
decimal_value = decimal.Decimal(str(round(value,2))) # Now decimal_value contains Decimal('50.15') as expected
bar(decimal_value) # Will work as expected

问题:

如何将任意浮点数转换为具有2位小数的固定小数点?并且没有使用str进行中间字符串转换。

我并不担心表现。只想确认中间转换是否是pythonic方式。

更新:其他可能的解决方案

# From selected answer
v = 50.15
d = Decimal(v).quantize(Decimal('1.00'))

# Using round (Does not work in python2)
d = round(Decimal(v), 2)

1 个答案:

答案 0 :(得分:4)

使用Decimal.quantize

  

在舍入后返回一个等于第一个操作数的值,并使用第二个操作数的指数。

>>> from decimal import Decimal
>>> Decimal(50.15)
Decimal('50.14999999999999857891452847979962825775146484375')
>>> Decimal(50.15).quantize(Decimal('1.00'))
Decimal('50.15')

与不良str方法不同,这适用于任何数字:

>>> decimal.Decimal(str(50.0))
Decimal('50.0')
>>> decimal.Decimal(50.0).quantize(decimal.Decimal('1.00'))
Decimal('50.00')