AcWing 844. 走迷宫 (BFS模版题)
Posted 嗯我想想
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了AcWing 844. 走迷宫 (BFS模版题)相关的知识,希望对你有一定的参考价值。
思路分析
BFS模版题,BFS是有一个小模版的,需要使用队列,这里是两种代码,一种是直接使用STL容器中的queue,另外一种是数组模拟队列
AC代码1
直接使用STL容器
#include <iostream>
#include <cstring>
#include <queue>
using namespace std;
typedef pair<int, int> PII;
const int N = 110;
int n, m;
// 坐标位移
int dx[4] = {-1, 0, 1, 0};
int dy[4] = {0, 1, 0, -1};
int g[N][N]; // 存原始地图
int d[N][N]; // 存每个点到起始点的距离
// PII pre[N][N]; // 输出路径用
int bfs() {
// 起点入队
queue<PII> q;
PII t = {0, 0};
q.push(t);
// 队列不为空,一直循环
while(!q.empty()) {
// 取出并保存队头
auto pp = q.front();
// 删除
q.pop();
// 四个方向循环判断一下
for(int i = 0; i < 4; i++) {
int x = pp.first + dx[i];
int y = pp.second + dy[i];
if(x >= 0 && x < n && y >= 0 && y < m && g[x][y] == 0 && d[x][y] == -1) {
// 记录答案
d[x][y] = d[pp.first][pp.second] + 1;
// pre[x][y] = pp; // 输出路径用
// 扩展队头
q.push({x,y});
}
}
}
// 输出路径
/*
int x = n - 1;
int y = m - 1;
while(x || y) {
cout << x << ' ' << y << endl;
auto t = pre[x][y];
x = t.first;
y = t.second;
}
*/
// 输出答案
return d[n - 1][m - 1];
}
int main() {
cin >> n >> m;
// 读入地图
for (int i = 0; i < n; i++)
for (int j = 0; j < m; j++)
cin >> g[i][j];
// 初始化
memset(d, -1, sizeof(d));
d[0][0] = 0;
cout << bfs() << endl;
return 0;
}
AC代码2
使用数组模拟队列
#include <iostream>
#include <cstring>
#include <queue>
using namespace std;
typedef pair<int, int> PII;
const int N = 110;
PII q[N * N];
int n, m;
int dx[4] = {-1, 0, 1, 0};
int dy[4] = {0, 1, 0, -1};
int g[N][N]; // 存原始地图
int d[N][N]; // 存每个点到起始点的距离
int bfs() {
int hh = 0, tt = 0;
q[0] = {0, 0};
d[0][0] = 0;
while (hh <= tt) {
auto t = q[hh++];
for (int i = 0; i < 4; i++) {
int x = t.first + dx[i];
int y = t.second + dy[i];
if (x >= 0 && x < n && y >= 0 && y < m && g[x][y] == 0 && d[x][y] == -1) {
d[x][y] = d[t.first][t.second] + 1;
q[++tt] = {x, y};
}
}
}
return d[n - 1][m - 1];
}
int main() {
cin >> n >> m;
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
cin >> g[i][j];
}
}
memset(d, -1, sizeof(d));
cout << bfs() << endl;
return 0;
}
以上是关于AcWing 844. 走迷宫 (BFS模版题)的主要内容,如果未能解决你的问题,请参考以下文章