我基本上尝试使用一个数组,即从文件中读取的数据,然后使用该数组计算数据的平均值和标准偏差。
我似乎无法得到正确的号码。
static public double[][] calcStats(String[][] x) throws IOException {
double[][] array = new double[7][2];
double total = 0, std_dev = 0, amount = 0;
int row2 = 0;
for (int row = 1; row < x.length; row++) {
array[row2][0] = (total);
array[row2][1] = Math.sqrt(amount);
amount = 0;
total = 0;
if (row >= 2) {
row2++;
}
for (int col = 1; col < x[row].length; col++) {
total += Integer.parseInt(x[row][col]);
if (col == 4) {
total = (total / 4);
}
}
for (int col = 1; col < x[row].length; col++) {
std_dev = (Integer.parseInt(x[row][col])) - (total);
std_dev = Math.pow(std_dev, 2);
amount = +std_dev;
std_dev = 0;
if (col == 4) {
amount = (amount / 27);
}
}
}
array[row2][0] = (total);
return array;
}
答案 0 :(得分:5)
Java中的数组从0开始。你的循环开始于1.这意味着你缺少每个数组的第一个元素。
根据Marko Topolnik的建议,我应该指出我已将原始代码中的amount =+ std_dev;
更改为amount += std_dev;
。现在我考虑一下,这是一个无效的编辑,因为原始代码是一个额外的问题(除了循环限制)。我把编辑推回到Marco的版本。
答案 1 :(得分:3)
这是我在不改变方法签名的情况下编写它的方法。
public static double[][] calcStats(String[][] x) {
double[][] array = new double[x.length][2];
for (int row = 0; row < x.length; row++) {
String[] xrow = x[row];
double total = 0;
for (String s : xrow)
total += Integer.parseInt(s);
double average = total / xrow.length;
double sqrTotal = 0;
for (String s : xrow) {
double d = Integer.parseInt(s) - total;
sqrTotal += d * d;
}
array[row][0] = average;
array[row][1] = Math.sqrt(sqrTotal);
}
return array;
}
或一次性传递
public static double[][] calcStats(String[][] x) {
double[][] array = new double[x.length][2];
for (int row = 0; row < x.length; row++) {
String[] xrow = x[row];
double sum = 0, sq_sum = 0;
for (String s : xrow) {
int d = Integer.parseInt(s);
sum += d;
sq_sum += d * d;
}
double mean = sum / xrow.length;
double variance = sq_sum / xrow.length - mean * mean;
array[row][0] = mean;
array[row][1] = Math.sqrt(variance);
}
return array;
}