题目描述
按蛇形(螺旋形)输出数据
相关题型
AcWing 844. 走迷宫
AcWing 1102. 移动骑士
AcWing 1421. 威斯康星方形牧场
样例
1 2 3
8 9 4
7 6 5
技巧
提前设置数轴偏移可能
参考文献
yxc视频
C++ 代码
#include<iostream>
using namespace std;
const int N=110;
int p[N][N];
int main(){
int n,m,k;
cin>>n>>m;
k=m*n;
//技巧:提前设置图像偏移量
int dx[]={-1,0,1,0};//移动量
int dy[]={0,1,0,-1};
int x=0,y=0,d=1;//初始状态
for(int i = 1;i <= k; i++ )//填数
{
p[x][y] = i;
int a= x+dx[d] , b=y+dy[d] ;//移动
if (a<0 || a>=n || b<0 || b>=m || p[a][b])//判断是否碰壁
{
d= (d+1) % 4; //碰壁处理
a= x + dx[d] ;b = y + dy[d] ;//移动
}
x=a,y=b;//坐标给予
}
for (int i = 0; i < n; i ++ )//输出
{
for (int j = 0; j < m; j ++ )
cout << p[i][j] << ' ';
cout << endl;
}
return 0;
}
简单模拟
根据题意简单模拟代码(不推荐)
C++ 代码
#include <iostream>
using namespace std;
const int N = 110;
int a[N][N];
int main()
{
int r,c;
cin >> r >> c;
int left = 0, right = c - 1;
int top = 0, bottom = r - 1;
int k = 1;
while(left <= right || top <= bottom)
{
for(int i = left; i <= right && top <= bottom; i++)//构造最上面一行
{
a[top][i] = k++;
}
top++;
for(int i = top; i <= bottom && left <= right; i++)//构造最右侧一列
{
a[i][right] = k++;
}
right--;
for(int i = right; i >= left && top <= bottom; i--)//构造最下面一行
{
a[bottom][i] = k++;
}
bottom--;
for(int i = bottom; i >= top && left <= right; i--)//构造最左侧一列
{
a[i][left] = k++;
}
left++;
}
for(int i = 0; i < r; i++)
{
for(int j = 0; j < c; j++) cout<< a[i][j] << " ";
cout << endl;
}
return 0;
}