Python decimal模块的使用示例详解

Python decimal 模块

Python中的浮点数默认精度是15位。

Decimal对象可以表示任意精度的浮点数。

getcontext函数

用于获取当前的context环境,可以设置精度、舍入模式等参数。

#在context中设置小数的精度

decimal.getcontext().prec = 100

通过字符串初始化Decimal类型的变量

因为通过浮点数初始化Decimal类型的变量会导致精度的丢失

# 浮点数的初始化

a = decimal.Decimal('3.14159265')

setcontext函数

decimal.ROUND_HALF_UP 对浮点数四舍五入

import decimal

x = decimal.Decimal('1.23456789')

context = decimal.Context(prec=4,rounding=decimal.ROUND_HALF_UP)

decimal.setcontext(context)

y1 = x

y2 = x*2

print("y1",y1)

print("y2",y2)

>>>y1 1.23456789

>>>y2 2.469

localcontext函数

用于创建一个新的context环境,可以在该环境中设置精度、舍入模式等参数,不会影响全局的context环境。

import decimal

x = decimal.Decimal('1.23456789')

context0 = decimal.Context(prec=9,rounding=decimal.ROUND_HALF_UP)

decimal.setcontext(context0)

y1 = x * 2

print("y1",y1)

with decimal.localcontext() as context:

context.prec = 4

context.rounding = decimal.ROUND_HALF_UP

y2 = x * 2

print("y2",y2)

>>>y1 2.46913578

>>>y2 2.469

你可能感兴趣的:(技术分享,python)