如何填充给定“大小”的二维数组以获取此输出:
N = 1
000
010
000
N = 2
0000
0110
0110
0000
N = 3
00000
01110
01210
01110
00000
public static void main (String[] args) throws java.lang.Exception
{
int x, y;
int N = 3;
int counter = 0;
x = y = N + 2;
int[][] array = new int[x][y];
for( int i = 0; i<x; i++){
for( int j = 0; j < y; j++){
if( i == 0 || i == x-1 || j == 0 || j == y-1){
array[i][j] = 0;
} else {
array[i][j] = 1;
}
System.out.print(array[i][j]);
}
System.out.println();
}
}
这段代码只给我1并被0包围,但是我无法弄清楚如何将值增加到数组的中间。如果N是一个奇数,我可以使用模,但是我不知道该如何使用偶数。
答案 0 :(得分:3)
单元格的值是到矩阵边缘的最短距离。
假设cell[i,j]
,则可以是
因此遍历矩阵并计算最短距离。
答案 1 :(得分:0)
这是您的作业:-)
import static java.lang.Math.min;
public static void main (String[] args) throws java.lang.Exception {
int x, y;
int N = 5;
int counter = 0;
x = y = N + 2;
int[][] array = new int[x][y];
for (int i = 0; i < x; i++) {
counter = 0;
for (int j = 0; j < y; j++) {
if (i == 0 || i == x - 1 || j == 0 || j == y - 1) {
array[i][j] = 0;
} else {
array[i][j] = min(i,min(min(i,N-i+1),min(j,N-j+1)));
}
System.out.print(array[i][j]);
}
System.out.println();
}
}
通过使用
min(i,min(min(i,N-i+1),min(j,N-j+1)))
计算到边缘的最短(最小)距离。矩阵中有4个象限,每个象限都有自己的到边缘的距离计算-因此有四个min
运算。
N = 1:
000
010
000
N = 2:
0000
0110
0110
0000
N = 3:
00000
01110
01210
01110
00000