I usually work with huge simulations. Sometimes, I need to compute the center of mass of the set of particles. I noted that in many situations, the mean value returned by numpy.mean() is wrong. I can figure out that it is due to a saturation of the accumulator. In order to avoid the problem, I can split the summation over all particles in small set of particles, but it is uncomfortable. Anybody has and idea of how to solve this problem in an elegant way?
Just for piking up your curiosity, the following example produce something similar to what I observe in my simulations:
import numpy as np
a = np.ones((1024,1024), dtype=np.float32)*30504.00005
if you check the max and min values, you get:
a.max()
30504.0
a.min()
30504.0
however, the mean value is:
a.mean()
30687.236328125
You can figure out that something is wrong here. This is not happening when using dtype=np.float64, so it should be nice to solve the problem for single precision.
This isn't a NumPy problem, it's a floating-point issue. The same occurs in C:
float acc = 0;
for (int i = 0; i < 1024*1024; i++) {
acc += 30504.00005f;
}
acc /= (1024*1024);
printf("%f\n", acc); // 30687.304688
(Live demo)
The problem is that floating-point has limited precision; as the accumulator value grows relative to the elements being added to it, the relative precision drops.
One solution is to limit the relative growth, by constructing an adder tree. Here's an example in C (my Python isn't good enough...):
float sum(float *p, int n) {
if (n == 1) return *p;
for (int i = 0; i < n/2; i++) {
p[i] += p[i+n/2];
}
return sum(p, n/2);
}
float x[1024*1024];
for (int i = 0; i < 1024*1024; i++) {
x[i] = 30504.00005f;
}
float acc = sum(x, 1024*1024);
acc /= (1024*1024);
printf("%f\n", acc); // 30504.000000
(Live demo)
You can partially remedy this by using a built-in math.fsum
, which tracks down the partial sums (the docs contain a link to an AS recipe prototype):
>>> fsum(a.ravel())/(1024*1024)
30504.0
As far as I'm aware, numpy
does not have an analog.
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With