天天看點

CSU 1726:你經曆過絕望嗎?兩次! (BFS+優先隊列) 你經曆過絕望嗎?兩次!

你經曆過絕望嗎?兩次!

Time limit:1000 ms Memory limit:131072 kB OS:Windows

Problem Description

4月16日,日本熊本地區強震後,受災嚴重的阿蘇市一養豬場倒塌,幸運的是,豬圈裡很多頭豬依然堅強存活。當地15名消防員耗時一天解救圍困的“豬堅強”。不過與在廢墟中靠吃木炭飲雨水存活36天的中國汶川“豬堅強”相比,熊本的豬可沒那麼幸運,因為它們最終還是沒能逃過被送往屠宰場的命運。

我們假設“豬堅強”被困在一個N*M的廢墟中,其中“@”表示“豬堅強”的位置,“.”表示可以直接通過的空地,“#”表示不能拆毀的障礙物,“*”表示可以拆毀的障礙物,那麼請問消防員至少要拆毀多少個障礙物,才能從廢墟中救出“豬堅強”送往屠宰場?(當“豬堅強”通過空地或被拆毀的障礙物移動到廢墟邊緣時,視作被救出廢墟)

Input

多組資料,第一行有一個整數T,表示有T組資料。(T<=100)

以下每組資料第一行有兩個整數N和M。(1<=N,M<=100)

接着N行,每行有一個長度為M的字元串。

Output

一個整數,為最少拆毀的障礙物數量,如果不能逃離廢墟,輸出-1。

Sample Input

3

3 3

###

#@*

***

3 4

####

#@.*

**.*

3 3

.#.

#@#

.#.

Sample Output

1

-1

解題思路:

直接BFS,其中,如果走了有*的地方,那麼step+1,再優先隊列裡,step小的優先級最高。把最外層的格子作為結束條件就好了。

Code:

#include <iostream>
#include <algorithm>
#include <cstdio>
#include <cstring>
#include <queue>
#define mem(a,b) memset(a,b,sizeof(a))
using namespace std;

const int maxn=+;
int vis[maxn][maxn];
char mp[maxn][maxn];
int n,m;
int dx[]= {,,,-};
int dy[]= {,,-,};

struct Node
{
    int x,y,step;
    friend bool operator < (Node a,Node b)
    {
        return a.step>b.step;
    }

};
priority_queue<Node> Q;

bool check(int x,int y)
{
    if(x<||x>=n||y<||y>=m)
        return false;
    if(vis[x][y])
        return false;
    if(mp[x][y]=='#')
        return false;
    return true;
}

int BFS(int x1,int y1)
{
    while(!Q.empty())
        Q.pop();

    vis[x1][y1]=;
    Q.push((Node){x1,y1,});
    int ans=-;
    while(!Q.empty())
    {
        Node u=Q.top();
        if(u.x==||u.x==n-||u.y==||u.y==m-)
        {
            ans=u.step;
            break;
        }
        Q.pop();
        for(int i=; i<; i++)
        {
            int x=u.x+dx[i];
            int y=u.y+dy[i];
            if(check(x,y))
            {
                int step;
                if(mp[x][y]=='.')
                    step=u.step;
                else
                    step=u.step+;
                vis[x][y]=;
                Q.push(Node{x,y,step});
            }
        }
    }
    return ans;
}

int main()
{
    int T;
    scanf("%d",&T);
    while(T--)
    {
        scanf("%d%d",&n,&m);
        for(int i=; i<n; i++)
            scanf("%s",mp[i]);
        mem(vis,);
        int x1,y1;
        for(int i=;i<n;i++)
        {
            for(int j=;j<m;j++)
            {
                if(mp[i][j]=='@')
                {
                    //cout<<i<<' '<<j<<endl;
                    printf("%d\n",BFS(i,j));
                    break;
                }
            }
        }
    }
    return ;
}