原题链接:https://www.luogu.com.cn/problem/P1443
题意解读:
无论是国际象棋还是中国象棋,马的活动范围都是一样的:
只不过国际象棋棋子是在格子中,中国象棋棋子是在交点,坐标的变化方式是一样的,根据此活动范围,计算马到达每一个点的最短路径。
解题思路:
根据马的活动范围,在棋盘内进行BFS遍历,每BFS一层,路径数是上一层的路径+1,并将遍历到的位置距离起点的路径更新,直到遍历完所有能达到的格子。
马的活动范围坐标变化可以用两个数组保存:
int dx[8] = {-2, -1, 1, 2, 2, 1, -1, -2};
int dy[8] = {-1, -2, -2, -1, 1, 2, 2, 1};
100分代码:
#include <bits/stdc++.h>
using namespace std;
const int N = 405, M = 405;
int dx[8] = {-2, -1, 1, 2, 2, 1, -1, -2};
int dy[8] = {-1, -2, -2, -1, 1, 2, 2, 1};
bool flag[N][M];
int a[N][M], n, m, x, y;
queue<int> qx, qy;
void bfs()
{
qx.push(x); qy.push(y);
a[x][y] = 0;
flag[x][y] = true;
while(qx.size() && qy.size())
{
int cx = qx.front(); qx.pop();
int cy = qy.front(); qy.pop();
for(int i = 0; i < 8; i++)
{
int nx = cx + dx[i];
int ny = cy + dy[i];
if(flag[nx][ny] || nx < 1 || nx > n || ny < 1 || ny > m) continue;
a[nx][ny] = a[cx][cy] + 1;
flag[nx][ny] = true;
qx.push(nx); qy.push(ny);
}
}
}
int main()
{
cin >> n >> m >> x >> y;
memset(a, -1, sizeof(a));
bfs();
for(int i = 1; i <= n; i++)
{
for(int j = 1; j <= m; j++)
{
printf("%-5d", a[i][j]);
}
cout << endl;
}
return 0;
}
标签:遍历,P1443,int,洛谷题,nx,ny,qx,qy From: https://www.cnblogs.com/jcwy/p/18052385