Python Division Many Decimal Places

1.8k Views Asked by At

Hi I'm wondering how to get python to output an answer to many more decimal places than the default value.

For example: Currently print(1/7) outputs: 0.14285714285

I want to be able to output:0.142857142857142857142857142857142857142857142857

2

There are 2 best solutions below

2
On

You need to use the decimal module: https://docs.python.org/3.5/library/decimal.html

>>> from decimal import Decimal
>>> Decimal(1) / Decimal(7)
Decimal('0.1428571428571428571428571429')
0
On

If you want completely arbitrary precision (which you will pretty much need to get at that level of precision), I recommend looking at the mpmath module.

>>> from mpmath import mp
>>> mp.dps = 100
>>> mp.fdiv(1.0,7.0)
mpf('0.1428571428571428571428571428571428571428571428571428571428571428571428571428571428571428571428571428579')

I suppose if all you want is to be able to do very simple arithmetic, the builtin decimal module will suffice. I would still recommend mpmath for anything more complex. You could try something like this:

>>> import decimal
>>> decimal.setcontext(decimal.Context(prec=100))
>>> decimal.Decimal(1.0) / decimal.Decimal(7.0)
Decimal('0.1428571428571428571428571428571428571428571428571428571428571428571428571428571428571428571428571429')