蛇形填数
在n×n方阵里填入1,2,3,…,n*n,要求填成蛇形。例如,n=4时方阵为:
10 11 12 1
9 16 13 2
8 15 14 3
7 6 5 4
这道题是二维数组的应用,以n = 4 为例,从1开始依次填写,开始x = 0, y = n - 1,运动轨迹为:三下、三左、三上、两右、两下、左、上。走到不能填就拐弯,刚开始把所有各自初始化为0,比较容易判断。
#include<stdio.h>
#include<string.h>
const int N = 20;
int a[N][N];
int main()
{
int n, x ,y, tot = 0;
scanf("%d", &n);
memset(a, 0, sizeof(a));
tot = a[x = 0][y = n - 1] = 1;//初始化和赋值合并成为一条语句
while(tot < n * n)
{
while(x + 1 < n && !a[x + 1][y]) a[++x][y] = ++ tot;
while(y - 1 >= 0 && !a[x][y - 1]) a[x][--y] = ++ tot;
while(x - 1 >= 0 && !a[x- 1][y]) a[--x][y] = ++ tot;
while(y + 1 < n && !a[x][y + 1]) a[x][++y] = ++ tot;
}
for(x = 0;x < n; x ++ )
{
for(y = 0; y < n; y ++ )
printf("%3d", a[x][y]);
printf("\n");
}
return 0;
}