I - 迷宫问题 (bfs+dfs查路径)

I - 迷宫问题

 

定义一个二维数组: 

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)

//Full of love and hope for life


#include 
#include 
#include 
#include 
#include 
#include 
using namespace std;

struct node
{
    int x,y;
};

struct pre
{
    int x,y;
} p[110][110];//储存路径

node n,m;
int flag[10][10];
int s[10][10];
int nex[4][2]= {{1,0},{-1,0},{0,1},{0,-1}};

void dfs(int a,int b)//输出路径
{
    if(a==0&&b==0)
    {
        return ;
    }
    dfs(p[a][b].x,p[a][b].y);
    cout << "(" << a << ", " << b << ")" << endl;
}

void bfs()
{
    queueq;
    n.x=0;
    n.y=0;
    q.push(n);
    flag[n.x][n.y]=1;
    while(!q.empty())
    {
        m=q.front();
        q.pop();
        if(m.x==4&&m.y==4)
        {
            cout << "(" << 0 << ", " << 0 << ")" << endl;
            dfs(m.x,m.y);
            return ;
        }
        for(int i=0; i<4; i++)
        {
            n.x=m.x+nex[i][0];
            n.y=m.y+nex[i][1];
            if(s[n.x][n.y]==1||n.x<0||n.x>4||n.y<0||n.y>4)//不能走墙,不能越界
            {
                continue;
            }
            if(flag[n.x][n.y]==0)
            {
                p[n.x][n.y].x=m.x;
                p[n.x][n.y].y=m.y;
                q.push(n);
                flag[n.x][n.y]=1;
            }
        }
    }
}

int main()
{
    for(int i=0; i<5; i++)
    {
        for(int j=0; j<5; j++)
        {
            cin >> s[i][j];
        }
    }
    bfs();
    return 0;
}

 

你可能感兴趣的:(重新学编程之简单搜索)