HDU1072

Nightmare

点击打开链接http://acm.hdu.edu.cn/showproblem.php?pid=1072



题意:

有5个整数,表示不同类型的迷宫区:
0--------墙
1--------路
2--------起始位置
3--------迷宫的出口

4--------重置炸弹爆发时间的位置

如果在炸弹爆炸前能逃离迷宫,输出最短时间,否则输出-1;


最一开始看到这道题不知道该怎么下手,不知道是不是该走4,觉得4比较特殊。首先肯定用广搜,但是一个点可能走两次,可是标记过就不能走了,所以我遇到4时,就以4为一个新的起点,进行广搜,同时把上次所用的时间加上,标记4,同一个4不能重复走。但就是因为标记和先后要走的方向,走4的先后顺序不同,路程也就不同。


如果4是必经之路则必须走,如果不是则不用走,利用之前简单地广搜思想就可以,无非是走过的路不再标记,只标记4.

#include
#include
#include
#include

using namespace std;

struct note
{
    int x,y,t,s;
    note(int a,int b,int c,int d)
    {
        x = a;
        y = b;
        t = c;
        s = d;
    }
};
int st[10][10];
int mk[10][10];
int n,m,ex,ey,f,s;
int nx[4][2] = {1,0,0,1,0,-1,-1,0};

void bfs(int x,int y)
{
    int i;
    queue qw;
    qw.push(note(x,y,6,0));
    while(!qw.empty())
    {
        note q = qw.front();
        qw.pop();
        for(i = 0; i<4; i++)
        {
            int tx = q.x+nx[i][0];
            int ty = q.y+nx[i][1];
            if(tx == ex && ty == ey && q.t-1>0)
            {
                f = 1;
                s = q.s+1;
                return;
            }
            if(tx>=0 && ty>=0 && tx1 && !mk[tx][ty])
            {
                if(st[tx][ty] == 4)
                {
                    mk[tx][ty] = 1;
                    qw.push(note(tx,ty,6,q.s+1));
                }
                else
                    qw.push(note(tx,ty,q.t-1,q.s+1));
            }
        }
    }
    return;
}
int main()
{
    int t,i,j,sx,sy;
    scanf("%d",&t);
    while(t--)
    {
        memset(mk,0,sizeof(mk));
        scanf("%d%d",&n,&m);
        for(i = 0; i



你可能感兴趣的:(#,广搜)