如何在 Java 中获取一个二维数组的长度
Hassan Saeed
2023年1月30日
2020年10月27日
本教程文章讨论了在 Java 中获取二维数组长度的方法。
Java 中的二维数组是一个数组的数组,即一个数组的元素是另一个数组。例如,test = new int[5][10];
代表一个包含 5 个元素的数组,这 5 个元素分别代表一个包含 10 个 int
元素的数组。二维数组既可以看作是一个矩形网格,其中每行的列数是相同的,也可以看作是一个粗糙的数组,其中每行的列数是不同的。
我们可能对获取 2D 数组中的行数或 2D 数组中每行的列数感兴趣。下面我们将讨论如何获取。
在 Java 中获取固定列数大小的二维数组的长度
如果我们知道一个二维数组是一个矩形网格,我们可以用 arr.length
得到行数,用 arr[0].length
得到列数。下面的例子说明了这一点。
public class MyClass {
public static void main(String args[]) {
int[][] test;
test = new int[5][10];
int row = test.length;
int col = test[0].length;
System.out.println("Rows: " + row);
System.out.println("Columns: " + col);
}
}
输出:
Rows: 5
Columns: 10
在 Java 中获取可变列数大小的 2D 数组的长度
如果一个二维数组没有固定的列数大小,即数组中包含的每个数组的长度是可变的,我们仍然可以使用 arr.length
来获取行数。但是,要想得到列数,就必须指定要得到哪一行的列长。arr[rowNumber].length
。下面的例子说明了这一点。
public class MyClass {
public static void main(String args[]) {
int[][] test;
test = new int[2][];
test[0] = new int[5];
test[1] = new int[10];
int row = test.length;
int col_1 = test[0].length;
int col_2 = test[1].length;
System.out.println("Rows: " + row);
System.out.println("Columns of first row: " + col_1);
System.out.println("Columns of second row: " + col_2);
}
}
输出:
Rows: 2
Columns of first row: 5
Columns of second row: 10