我正在尝试为从左上角到右下角的所有对角线迭代一个方形2d数组。我有从左下到右上进行迭代的代码,但我需要对其进行调整以使其以另一种方式进行迭代。
public static void main(String[] args) {
int[][] a = {
{1, 2, 3, 4},
{0, 1, 2, 3},
{-1, 0, 1, 2},
{-2, -1, 0, 1},
};
for (int j = 0; j <= a.length + a.length - 2; j++) {
for (int k = 0; k <= j; k++) { // cols
int l = j - k; // rows
if (l < a.length && k < a.length) {
System.out.print(a[l][k] + " ");
}
}
System.out.println();
}
}
结果是:
1
0 2
-1 1 3
-2 0 2 4
-1 1 3
0 2
1
从左下角到右上角的对角线。 如何修改该方法以另一种方式打印对角线以产生以下结果:
-2
-1 -1
0 0 0
1 1 1 1
2 2 2
3 3
4
感谢您的帮助。
答案 0 :(得分:3)
只需镜像行地址
public static void main(String[] args) {
int[][] a = {
{1, 2, 3, 4},
{0, 1, 2, 3},
{-1, 0, 1, 2},
{-2, -1, 0, 1},
};
for (int j = 0; j <= a.length + a.length - 2; j++) {
for (int k = 0; k <= j; k++) { // cols
int l = j - k; // rows
int mirror = a.lenght - l;
if (mirror >= 0 && mirror < a.length && k < a.length) {
System.out.print(a[mirror][k] + " ");
}
}
System.out.println();
}
}