BFS,即广度优先搜索,具体内容就不写了。
参考其他博主的讲解,自己写了写
例如有以下5*5地图:
0 1 0 1 0
0 1 1 0 0
0 0 0 0 0
0 1 1 1 0
1 0 0 0 1
其中 1 表示障碍 , 0表示通路 , 2表示已经走过的路 ,3表示重点
要求我们找出走到终点的最短路径,并且把最后的地图打印出来。
BFS走出的路径一定是最短路径。
思路:
首先就要有一个二维数组来存储地图
还需要用队列来进行动态分配,其中队列中的数据类型应该是包含着这个点的x,y坐标以及这个点此时的步数 ,我们用一个结构体来表示
对于每一个点,我们都需要分别探索它的上下左右四个点 ,可以定义一个二维数组专门表示点的四周四个方向 。
具体代码如下
#include<iostream>
#include<map>
#include<queue>
using namespace std;
int Map[5][5];
int fx[4][2] = {1,0,-1,0,0,1,0,-1};//可以通过x,y坐标相加得到该点的上下左右四个点
struct node{
int x,y,step;
}now,nextt;
int Bfs(int x,int y){
int x2,y2;
queue<node>q;
now.x = x;
now.y = y;
now.step = 0;
q.push(now);
while(!q.empty()){
now = q.front(); //每一次都把上次找到的通路作为 “起始点”
q.pop();
for(int i=0;i<4;i++){
x2 = now.x + fx[i][0];
y2 = now.y + fx[i][1];
if(x2>=0 && x2<5 && y2>=0 && y2<5 && Map[x2][y2]!=1 && Map[x2][y2]!= 2){
nextt.x = x2;
nextt.y = y2;
nextt.step = ++now.step; //要先++才行
Map[now.x][now.y] = 2; //把现在的点标记为已经走过了
if(Map[x2][y2] == 3){
return nextt.step; //在while循环中,在循环前提下一直循环到找到终点为止,否则返回-1
}
q.push(nextt);
}
}
}
return -1;
}
int main(){
int road,starx,stary;
//输入地图 5*5规模
for(int i=0;i<5;i++){
for(int j=0;j<5;j++){
cin >> road;
Map[i][j] = road;
}
}
//设置终点
Map[4][4] = 3;
int ans = Bfs(0,0);
cout << ans <<endl;
cout << "地图为:" << endl;
for(int i=0;i<5;i++){
for(int j=0;j<5;j++)
cout << Map[i][j];
cout << endl;
}
cout << endl;
}