Skip to content Skip to sidebar Skip to footer

Fix Float Precision With Decimal Numbers

a = 1 for x in range(5): a += 0.1 print(a) This is the result: 1.1 1.2000000000000002 1.3000000000000003 1.4000000000000004 1.5000000000000004 How can I fix this? Is the

Solution 1:

can i set the precision of a variable before setting the value?

Use the decimal module which, unlike float(), offers arbitrary precision and can represent decimal numbers exactly:

>>>from decimal import Decimal, getcontext>>>>>>getcontext().prec = 5>>>>>>a = Decimal(1)>>>>>>for x inrange(5):...    a += Decimal(0.1)...print(a)... 
1.1000
1.2000
1.3000
1.4000
1.5000

Solution 2:

You could format your output like this;

a=1for x inrange(5):
    a += 0.1print("{:.9f}".format(a) )

Solution 3:

Assuming that your problem is only displaying the number, @Jaco 's answer does the job. However if you're concern about using that variable and potentially make comparisons or assigning to dictionary keys, I'd say you have to stick to round(). For example this wouldn't work:

a = 1for x in range(5):
    a += 0.1print('%.1f' % a)
    if a == 1.3:
        break1.11.21.31.41.5

You'd have to do:

a = 1for x inrange(5):
    a += 0.1print('%.1f' % a)
    ifround(a, 1) == 1.3:
        break1.11.21.3

Solution 4:

Formatted output has been duly suggested by @Jaco. However, if you want control of precision in your variable beyond pure output, you might want to look at the decimal module.

from decimal import Decimal

a = 1for x inrange(3):
    a += Decimal('0.10')  # use string, not float as argument# a += Decimal('0.1000')print(a)  # a is now a Decimal, not a float

> 1.10# 1.1000
> 1.20# 1.2000
> 1.30# 1.3000

Post a Comment for "Fix Float Precision With Decimal Numbers"