Reputation: 1481
Python's round()
seems to always round up when faced with x.5 numbers:
print round(1.5),round(2.5),round(3.5),round(4.5)
>>> 2.0 3.0 4.0 5.0
But numpy.round()
seems to be inconsistent:
import numpy as np
print np.round(1.5),np.round(2.5),np.round(3.5),np.round(4.5)
>>> 2.0 2.0 4.0 4.0
This can introduce errors in certain cases. Is this a bug or am I missing something?
Upvotes: 3
Views: 1432
Reputation: 177
numpy rounds to the nearest even value:
https://docs.scipy.org/doc/numpy/reference/generated/numpy.around.html#numpy.around
For values exactly halfway between rounded decimal values, NumPy rounds to the nearest even value. Thus 1.5 and 2.5 round to 2.0, -0.5 and 0.5 round to 0.0, etc.
Upvotes: 6