大意:给定一个3D迷宫,已知出口和入口,求最小逃脱迷宫的时间。

思路1:DFS需要求最小路需要回溯,果断TLE。下附DFS代码:

 

 

void dfs(int x, int y, int z)
{
    if(!check(x, y, z) || flag[x][y][z] || maze[x][y][z] == '#'return ;
    else if(x == ex && y == ey && z == ez)
    {
        MIN <?= step;
        return ;
    }
    for(int i = 0; i < 6; i++)
    {
        int xx = x+dx[i];
        int yy = y+dy[i];
        int zz = z+dz[i];
        flag[xx][yy][zz] = 1;
        step++;
        printf("%d\n", step);
        dfs(xx, yy, zz);
        flag[xx][yy][zz] = 0;
        step--;                 //回溯时记得step--;
    }
}

 

BFS:

 

#include <stdio.h>
#include <stdlib.h>
#include <queue>
#include <string.h>
using namespace std;

const int SIZE = 31;

char maze[SIZE][SIZE][SIZE];
int flag[SIZE][SIZE][SIZE];
int l, r, c;
const int dx[] = {-1,1,0,0,0,0};
const int dy[] = {0,0,-1,1,0,0};
const int dz[] = {0,0,0,0,-1,1};
int bx, by, bz;   //Èë¿Ú 
int ex, ey, ez;   //³ö¿Ú 

int check(int x, int y, int z)
{
    if(x >= 0 && y >= 0 && z >= 0 && x < l && y < r && z < c && maze[x][y][z] != '#'return 1;
        return 0;
}


struct node
{
    int x, y, z;
    int step;
};


int bfs(int bx, int by, int bz)
{
    queue<node> Q;
    node p, q;
    p.x = bx; p.y = by; p.z = bz;
    p.step = 0;
    flag[bx][by][bz] = 1;
    Q.push(p);
    while(!Q.empty())
    {
        p = Q.front();
        Q.pop();
        if(p.x == ex && p.y == ey && p.z == ez)
        {
            printf("Escaped in %d minute(s).\n", p.step);
            return 1;
        }
        for(int i = 0; i < 6; i++)
        {
            q = p;
            q.x += dx[i];
            q.y += dy[i];
            q.z += dz[i];
            if(check(q.x, q.y, q.z) && !flag[q.x][q.y][q.z])
            {
                q.step++;
                flag[q.x][q.y][q.z] = 1;
                Q.push(q);
            }
        }
    }
    return 0;
}


void init()
{
    memset(flag, 0sizeof(flag));
    memset(maze, '#'sizeof(maze));
    ex = ey = ez = bx = by = bz = 0;
}

int main()
{
    int i, j, k;
    while(~scanf("%d%d%d", &l, &r, &c), l, r, c)
    {
        init();
        for(i = 0; i < l; i++)
        {
            for(j = 0; j < r; j++)
            {
                scanf("%s", maze[i][j]);
                for(k = 0; k < c; k++)
                {
                    if(maze[i][j][k] == 'E')
                    {
                        ex = i;
                        ey = j;
                        ez = k;
                    }
                    if(maze[i][j][k] == 'S')
                    {
                        bx = i;
                        by = j;
                        bz = k;
                    }
                }
            }
        }
        int ans = bfs(bx, by, bz);
        if(!ans) printf("Trapped!\n");
    }
    return 0;
}

 

 

posted on 2012-09-02 11:05  有间博客  阅读(169)  评论(0编辑  收藏  举报