我在项目中使用EJML库。我编写了一个计算SimpleMatrix行向量方差的方法。在某些时候,我注意到我得到了一个方差>将等元素向量传递给此方法时为0.0。
我写了这个以进一步调查,并惊讶地发现最后一行打印为false,尽管之前的打印没有产生输出。
// rowVec is a 1xn SimpleMatrix of equal double elements
double one = rowVec.get(0);
for (int i = 0; i < rowVec.getNumElements(); i++) {
if (rowVec.get(i) - one != 0 || rowVec.get(i) != one) {
System.out.println(rowVec.get(i)); // no output here
}
}
// why false below???
System.out.println(one == (rowVec.elementSum() / rowVec.getNumElements()));
// why true below???
System.out.println(one*rowVec.getNumElements() < rowVec.elementSum());
有人可以解释为什么等元素向量的平均值大于其中一个元素吗?
跟进:解决了我的问题:
/**
* Calculates the variance of the argument matrix rounding atoms to the 10th
* significant figure.
*/
public static double variance(SimpleMatrix m) {
Preconditions.checkArgument(m != null, "Matrix argument is null.");
Preconditions.checkArgument(m.getNumElements() != 0, "Matrix argument empty.");
if (m.getNumElements() == 1) return 0;
double mean = m.elementSum() / m.getNumElements();
double sqDiviations = 0;
for (int i = 0; i < m.getNumElements(); i++) {
sqDiviations += Math.pow(decimalRoundTo(mean - m.get(i), 10), 2);
}
return sqDiviations / m.getNumElements();
}
/** Rounds a double to the specified number of significant figures. */
public static double decimalRoundTo(double d, int significantFigures) {
double correctionTerm = Math.pow(10, significantFigures);
return Math.round(d * correctionTerm) / correctionTerm;
}
答案 0 :(得分:4)
浮点运算是不精确的。当您将n
个相同的double
加起来,并将结果除以n
时,您并不总是得到您开始使用的数字。
例如,以下内容:
double x = 0.1;
double y = x + x + x;
System.out.println(y / 3. - x);
打印
1.3877787807814457E-17
我强烈推荐What Every Computer Scientist Should Know About Floating-Point Arithmetic。