Java - 如何使用嵌套的while循环填充2d数组?

时间:2017-11-17 23:47:07

标签: java arrays loops while-loop

我需要使用嵌套的while循环来填充带有用户输入的double数组。这就是我到目前为止所做的:

public static double[][] score() {
        int col = 3;
        int row = 3;
        int size = 0;
        Scanner in = new Scanner(System.in);
        double[][] scores = new double[row][col];
        System.out.println("Enter your scores: ");
        while (in.hasNextDouble() && size < scores.length) {
            while (size < scores[size].length) {
                scores[][] = in.hasNextDouble();
                size++;
            }
            return scores;
        }

1 个答案:

答案 0 :(得分:4)

最常见的方法是通过for循环,因为它们允许您以简洁的方式指定所需的索引计数器:

for(int i = 0; i < scores.length; i++){
    for(int j = 0; j < scores[i].length; j++){
        scores[i][j] = in.nextDouble();
    }
}

如果你特别需要使用while循环,你可以做同样的事情,它只是分成多行:

int i = 0;
while(i < scores.length){
    int j = 0;
    while(j < scores[i].length){
        scores[i][j] = in.nextDouble();
        j++;
    }
    i++;
}