我正在解析数据列表。数据是一个值列表,它们非常大,有许多小数点。例如:
-3.21446735874, 48.4505248207, 0.
-3.21476825075, 48.4504325609, 0.
我需要能够在计算中使用这些数字,而不会降低每个数字及其大小的精度(float(x)
和int(x)
显然不起作用!)。我已经尝试了decimal
模块,但显然由于导入功能不正常而无法再使用它。我更喜欢解决方案与平台无关(请仅使用默认的python模块!)。
答案 0 :(得分:6)
您尝试直接调用decimal
模块,而是使用decimal.Decimal
。 decimal
是一个模块对象,其中包含Decimal
,'DefaultContext'
等属性,使用点表示法(decimal.attr_name
)来访问这些属性。
>>> import decimal
>>> decimal.Decimal('1.234')
Decimal('1.234')
>>> decimal.DefaultContext
Context(prec=28, rounding=ROUND_HALF_EVEN, Emin=-999999999, Emax=999999999, capitals=1, flags=[], traps=[Overflow, InvalidOperation, DivisionByZero])
您还可以使用from decimal import ..
语法将所选属性导入当前名称空间:
>>> from decimal import Decimal, DecimalTuple #import two attrs in current namespace
>>> Decimal('1.234') #now use it directly, no dot notation required
Decimal('1.234')
答案 1 :(得分:1)