POJ 3984
原题链接:[kuangbin带你飞]专题一 简单搜索 K - 迷宫问题
题目大意:
定义一个二维数组:int maze[5][5]
它表示一个迷宫,其中的1表示墙壁,0表示可以走的路,只能横着走或竖着走,不能斜着走,要求编程序找出从左上角到右下角的最短路线。
Input:
一个5 × 5的二维数组,表示一个迷宫。数据保证有唯一解。
Output:
左上角到右下角的最短路径。
解题思路:最短路径问题,广搜基本框架,输出路径时递归到最后一层,逐层输出路径。每层保存上一层位置(pre)
代码如下:
#include"stdafx.h"
#include<iostream>
#include<cstdio>
#include<cstring>
using namespace std;
class queue
{
public:
int x, y, pre;
}q[10000];
int map[5][5];
int visit[5][5];
int dx[4] = { 0, 0, 1, -1 };
int dy[4] = { 1, -1, 0, 0 };
void output(int front)
{
if (q[front].pre != -1)
{
output(q[front].pre); //递归到第一层,逐层输出
printf("(%d, %d)\n", q[front].x, q[front].y);
}
}
void bfs()
{
int front, rear;
q[front = rear = 0].x = 0;
q[front].y = 0;
q[rear++].pre = -1;
visit[0][0] = true;
while (front < rear)
{
for (int i = 0; i < 4; i++)
{
int x = q[front].x + dx[i];
int y = q[front].y + dy[i];
if (map[x][y] == 0 && !visit[x][y] && x >= 0 && x < 5 && y >= 0 && y < 5 )
{
visit[x][y] = true;
q[rear].x = x;
q[rear].y = y;
q[rear++].pre = front;
}
if (x == 4 && y == 4) output(front);
}
front++;
}
}
int main()
{
memset(visit, false, sizeof(visit));
for (int i = 0; i < 5; i++)
for (int j = 0; j < 5; j++)
cin >> map[i][j];
printf("(0, 0)\n");
bfs();
printf("(4, 4)\n");
return 0;
}