poj3984 迷宫问题 bfs 最短路 广搜
迷宫问题
Time Limit: 1000MS | Memory Limit: 65536K | |
Total Submissions: 27913 | Accepted: 16091 |
Description
定义一个二维数组:
它表示一个迷宫,其中的1表示墙壁,0表示可以走的路,只能横着走或竖着走,不能斜着走,要求编程序找出从左上角到右下角的最短路线。
int maze[5][5] = { 0, 1, 0, 0, 0, 0, 1, 0, 1, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 0, 0, 0, 0, 1, 0, };
它表示一个迷宫,其中的1表示墙壁,0表示可以走的路,只能横着走或竖着走,不能斜着走,要求编程序找出从左上角到右下角的最短路线。
Input
一个5 × 5的二维数组,表示一个迷宫。数据保证有唯一解。
Output
左上角到右下角的最短路径,格式如样例所示。
Sample Input
0 1 0 0 0 0 1 0 1 0 0 0 0 0 0 0 1 1 1 0 0 0 0 1 0
Sample Output
(0, 0) (1, 0) (2, 0) (2, 1) (2, 2) (2, 3) (2, 4) (3, 4) (4, 4)
直接广搜即可
就是用队列进行递归,每找到一种可能走的方式就放入队列中,这样每次从队列头部取出来的一定是按照第一步,第二步,第三步的顺序来的,如果第一步能找到第二步,就把所有走第二步的方法放入队列,然后用递归尝试每一种走法
需要注意将走过的路标记,不然会重复递归最后弄成死循环
#include <iostream>
#include <algorithm>
#include <cstdlib>
#include <cstdio>
#include <queue>
typedef struct {
int x,y;
} maze;
using namespace std;
queue<maze> Queue; //队列存入下一步要走的所有可能方式
int Maze[5][5] = {
{0,1,0,0,0},
{0,1,0,1,0},
{0,0,0,0,0},
{0,1,1,1,0},
{0,0,0,1,0}
};//迷宫
int Move[4][2] = {{1,0},{0,1},{-1,0},{0,-1}};//移动方向:右,上,左,下,画个直角坐标系就知道了;
maze route[50][50]; //结构体数组记录上一路径
int Juge(int x,int y) {
return x<5&&x>=0&&y<5&&y>=0; //判断坐标(x,y)代表的点是否在迷宫内(防止数组越界)
}
void Type(int x,int y) {
if(x!=0||y!=0)
Type(route[y][x].x,route[y][x].y); //真*递归打印术
printf("(%d, %d)\n",y,x);
}
void bfs(int x,int y) {
if(!Queue.empty()) ///每次bfs就把相应的点排除
Queue.pop();
for(int i=0; i<4; i++) {
int a = x+Move[i][0];
int b = y+Move[i][1]; //(a,b)表示下一步移动的位置
if(Juge(a,b))
if(Maze[b][a]==0) { //可以走
maze buf; //用来将坐标信息入队的缓存结构体
buf.x = a;
buf.y = b;
route[b][a].x = x;
route[b][a].y = y; //录入该点的上一步
Queue.push(buf);//将可以走的路压入队列
Maze[b][a] = 1; //走过的路标记为墙
}
}
if(!Queue.empty()&&x!=4||y!=4) //如果没到达,继续广搜
bfs(Queue.front().x,Queue.front().y);
else
Type(4,4); //找到了就直接打印
}
int main() {
bfs(0,0);
return 0;
}