POJ 2251 地牢大師(BFS三維模板題)
阿新 • • 發佈:2020-12-24
技術標籤:搜尋與回溯
你現在被困在一個三維地牢中,需要找到最快脫離的出路!
地牢由若干個單位立方體組成,其中部分不含岩石障礙可以直接通過,部分包含岩石障礙無法通過。
向北,向南,向東,向西,向上或向下移動一個單元距離均需要一分鐘。
你不能沿對角線移動,迷宮邊界都是堅硬的岩石,你不能走出邊界範圍。
請問,你有可能逃脫嗎?
如果可以,需要多長時間?
輸入格式
輸入包含多組測試資料。
每組資料第一行包含三個整數 L,R,C分別表示地牢層數,以及每一層地牢的行數和列數。
接下來是 L 個 R 行 C 列的字元矩陣,用來表示每一層地牢的具體狀況。
每個字元用來描述一個地牢單元的具體狀況。
其中, 充滿岩石障礙的單元格用”#”表示,不含障礙的空單元格用”.”表示,你的起始位置用”S”表示,終點用”E”表示。
每一個字元矩陣後面都會包含一個空行。
當輸入一行為”0 0 0”時,表示輸入終止。
輸出格式
每組資料輸出一個結果,每個結果佔一行。
如果能夠逃脫地牢,則輸出”Escaped in x minute(s).”,其中X為逃脫所需最短時間。
如果不能逃脫地牢,則輸出”Trapped!”。
資料範圍
1≤L,R,C≤100
輸入樣例:
3 4 5
S....
.###.
.##..
###.#
#####
#####
##.##
##...
#####
#####
#.###
####E
1 3 3
S##
#E#
###
0 0 0
輸出樣例:
Escaped in 11 minute(s).
Trapped!
#include <cstdio>
#include <cstring>
#include <iostream>
#include <algorithm>
#include <queue>
using namespace std;
const int N = 110;
struct Point
{
int x, y, z;
};
int L, R, C;//高 長 寬
char g[N][N][N];
Point q[N * N * N];
int dist[N][N][N];
int dx[6] = {1, -1, 0, 0, 0, 0};
int dy[6] = {0, 0, 1, -1, 0, 0};
int dz[6] = {0, 0, 0, 0, 1, -1};
int bfs(Point start,Point end){
queue<Point>q;
q.push(start);
memset(dist,-1,sizeof dist);
dist[start.x][start.y][start.z]=0;
while(q.size()){
Point t=q.front();
q.pop();
for(int i=0;i<6;i++){
int a=t.x+dx[i],b=t.y+dy[i],c=t.z+dz[i];
if(a<0||a>=L||b<0||b>=R||c<0||c>=C)continue;
if(g[a][b][c]=='#'||dist[a][b][c]!=-1)continue;//為障礙或者已經更新過
dist[a][b][c]=dist[t.x][t.y][t.z]+1;
if(g[a][b][c]=='E')return dist[a][b][c];
q.push({a,b,c});
}
}
return -1;
}
int main(){
while(scanf("%d%d%d",&L,&R,&C),L||R||C){
Point start,end;
for(int l=0;l<L;l++){
for(int m=0;m<R;m++){
scanf("%s",g[l][m]);
for(int c=0;c<C;c++){
if(g[l][m][c]=='S')start={l,m,c};
else if(g[l][m][c]=='E')end={l,m,c};
}
}
}
if(bfs(start,end)==-1){
printf("Trapped!\n");
}
else
printf("Escaped in %d minute(s).\n",bfs(start,end));
}
return 0;
}