POJ 3984 迷宫问题

时间:2021-03-17 18:24:32
K - 迷宫问题

Time Limit:1000MS     Memory Limit:65536KB     64bit IO Format:%I64d & %I64u

Description

定义一个二维数组:
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 <cstdio>
#include <cstring>
#include <queue>
#include <cstdlib>
#include <cmath>
#include <cctype>
#define N 110
using namespace std; bool maps[][];//由于地图读入只有0, 1所以用bool类型就可以
int dir[][] = {,, ,, ,-, -,};//方向 struct node
{
int x, y;
}q1, m[][];//x, y为之前点的坐标 void Put(node q)//递归输出路径
{
if(q.x == && q.y == ) {
printf("(0, 0)\n");
return;
}
else Put(m[q.x][q.y]);
printf("(%d, %d)\n", q.x, q.y);
} void BFS()
{
q1 = {, };
queue<node>q;
q.push(q1);
maps[][] = true; while(!q.empty()) {
node q2;
q2 = q.front();
q.pop();
if(q2.x == && q2.y == ) {
Put(q2);//输出路径
}
for(int i = ; i < ; i++) {
int x, y;
x = q2.x + dir[i][];
y = q2.y + dir[i][];
if(!maps[x][y] && x >= && x < && y >= && y < ) {
maps[x][y] = true;//
m[x][y] = {q2.x, q2.y};
q1 = {x, y};
q.push(q1);
}
}
}
} int main()
{
for(int i = ; i < ; i++)
for(int j = ; j < ; j++) {
scanf("%d", &maps[i][j]);
}
BFS();//对地图广搜 return ;
}