Saturday 26 November 2016

floating point - General way of comparing numerics in Python

In Python 3.5 (and in Numpy) you can use isclose


Read the PEP 485 that describes it, Python 3.5 math library listing and numpy.isclose for more. The numpy version works in all versions of Python that numpy is supported.


Examples:


>>> from math import isclose
>>> isclose(1,1.00000000001)
True
>>> isclose(1,1.00001)
False

The relative and absolute tolerance can be changed.


Relative tolerance can be thought of as +- a percentage between the two values:


>>> isclose(100,98.9, rel_tol=0.02)
True
>>> isclose(100,97.1, rel_tol=0.02)
False

The absolute tolerance is a absolute value between the two values. It is the same as the test of abs(a-b)<=tolerance


All numeric types of Python are support with the Python 3.5 version. (Use the cmath version for complex)


I think longer term, this is your better bet for numerics. For older Python, just import the source. There is a version on Github.


Or, (forgoing error checking and inf and NaN support) you can just use:


def myisclose(a, b, *, rel_tol=1e-09, abs_tol=0.0):
return abs(a-b) <= max( rel_tol * max(abs(a), abs(b)), abs_tol )

No comments:

Post a Comment

c++ - Does curly brackets matter for empty constructor?

Those brackets declare an empty, inline constructor. In that case, with them, the constructor does exist, it merely does nothing more than t...