$$\color{red}{算法}\color{blue}{基础课}\color{purple}{笔记and题解}\color{green}{汇总}$$
笔记:
$BFS$每次只拓展一层,用队列$queue$实现。
它深度不大,被y总形容成稳重的小孩纸。
$BFS$一定是按照最短路搜索,不过搜索树中的边权一定要是相等的。
它按距离搜索,因此会先搜索距离为$1$的点,再搜索距离为$2$的点……直到搜到答案。
对于这题,我们每次拓展的时候往上下左右,并保证不出界且不是墙,并且可以更新答案。
代码:
#include <bits/stdc++.h>
using namespace std;
typedef pair<int, int> PII;
const int N = 110;
int n, m;
int g[N][N], d[N][N];
//g:存图 d:到起点的距离
PII q[N * N];
const int dx[4] = {-1, 0, 1, 0}, dy[4] = {0, 1, 0, -1};
int bfs() {
int hh = 0, tt = 0;
q[0] = {0, 0};
memset(d, -1, sizeof d);
d[0][0] = 0;
while (hh <= tt) {
auto t = q[hh++];
for (int i = 0; i < 4; i++) {
int x = t.first + dx[i], 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() {
scanf("%d%d", &n, &m);
for (int i= 0 ;i < n; i++)
for (int j = 0; j < m; j++)
cin>>g[i][j];
cout << bfs() << endl;
return 0;
}
为什么vector[HTML_REMOVED] q;就会报错
PII q[N * N];这样才可以啊,我不理解这个是为什么,原则上不都是可以的吗?
,。。