暑假集训(1)第八弹 -----简单迷宫(Poj3984)

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) 问题分析:依然是本应该用dfs的问题但我用的是bfs。。。通过在地图上记录上一个节点并从终点开始走,可以得到路径。
#include "cstdio"
#include "iostream"
#include "queue" using namespace std;
int a[][];
struct person
{
int i;
int j;
};
void abegin()
{
for (int i=;i<;i++)
for (int j=;j<;j++)
cin>>a[i][j];
}
void print()
{
int i=,j=;
printf ("(%d, %d)\n",i,j);
while (i != || j != )
{
switch(a[i][j])
{
case : i--; break;
case : i++; break;
case : j--; break;
case : j++; break;
default: continue;
}
printf ("(%d, %d)\n",i,j);
}
}
void bfs ()
{
queue<person> p;
person fir,sec;
fir.i = ;
fir.j = ;
a[fir.i][fir.j] = ;
p.push(fir);
while (!p.empty())
{
sec = p.front();
p.pop();
if (sec.i> && a[sec.i-][sec.j] < )
{
fir.i=sec.i-;
fir.j=sec.j;
a[fir.i][fir.j] = ;
p.push(fir);
}
if (sec.i< && a[sec.i+][sec.j] < )
{
fir.i=sec.i+;
fir.j=sec.j;
a[fir.i][fir.j] = ;
p.push(fir);
}
if (sec.j> && a[sec.i][sec.j-] < )
{
fir.i=sec.i;
fir.j=sec.j-;
a[fir.i][fir.j] = ;
p.push(fir);
}
if (sec.j< && a[sec.i][sec.j+] < )
{
fir.i=sec.i;
fir.j=sec.j+;
a[fir.i][fir.j] = ;
p.push(fir);
} if (a[][] != )
{
print ();
return;
}
}
}
int main()
{
abegin();
bfs();
return ;
}

上一篇:解决autocad闪退


下一篇:找到链表的倒数第K位