如何为给定数字 n 打印最多 n 平方的魔术矩阵

how to print magic matrix upto n square for a given number n

我正在尝试在程序谜语中实现矩阵逻辑。这不是家庭作业,我只是想自己练习,但可以在没有指导或方法的情况下走得更远。

问题是假设我们已经给定了数字,比方说 n,那么矩阵应该按照以下模式生成最多 n*n 个数字

例如:数字是 3

1 2 3

7 8 9

4 5 6

同样,如果数字是 4 比

1 2 3 4

9 10 11 12

13 14 15 16

5 6 7 8

为了解决问题,我使用了以下逻辑,但它不能给我预期的输出

public static void printPattern(int i){
    int num= i*i;
    int n=1;
    int[][] matrixArray = new int[i][i];

    for (int g=0;g<i ;g++ ){

        for (int j=0; j<i&& n<=num; j++,n++){
            System.out.println("i::"+i+"::j"+j+"number is :"+n);
            if (g!=0 &&g%2==0){
                System.out.println("g is "+g);
                matrixArray[g][j]=n;
            }
            else{
            matrixArray[g][j]=n;
            }
        }
    }

    for (int g=0;g<i ;g++ ) {

        for (int j = 0; j < i; j++) {
            System.out.print(matrixArray[g][j] + " ");
        }
        System.out.println();
    }
 }
}

将内部 for 循环中的代码更改为以下内容

if (g % 2 == 1) { // Handle rows with odd index (second, fourth ...)
    matrixArray[i - (g + 1) / 2][j] = n;
} else { // First, third ... rows
    matrixArray[g / 2][j] = n;
}

See it run live

这是一个更简单的方法。只需在主循环中的 topbottom 行之间交替,您根本不必使用 if-else 构造。

public static void printMatrix(int num) {
    int n = 1;
    int[][] matrix = new int[num][num];
    for (int top = 0, bottom = num - 1; top <= bottom; top++, bottom--) {
        for (int i = 0; i < num; i++) {
            matrix[top][i] = n++;
        }
        if (top == bottom) {
            break;
        }
        for (int i = 0; i < num; i++) {
            matrix[bottom][i] = n++;
        }
    }
    for (int[] arr : matrix) {
        System.out.println(Arrays.toString(arr));
    }
}

这里循环运行直到 top 穿过 bottom 即当 top = bottom + 1even 行数时。对于 奇数 行,当 top = bottom 填充该行一次后,循环 break 结束。

输出: printMatrix(4); // 偶数

[1, 2, 3, 4]
[9, 10, 11, 12]
[13, 14, 15, 16]
[5, 6, 7, 8]

输出: printMatrix(5); // 奇数

[1, 2, 3, 4, 5]
[11, 12, 13, 14, 15]
[21, 22, 23, 24, 25]
[16, 17, 18, 19, 20]
[6, 7, 8, 9, 10]