魔王住在一个城堡里,城堡是一个A*B*C的立方体,可以被表示成A个B*C的矩阵,刚开始Ignatius被关在(0,0,0)的位置,离开城堡的门在(A-1,B-1,C-1)的位置,现在知道魔王将在T分钟后回到城堡,Ignatius每分钟能从一个坐标走到相邻的六个坐标中的其中一个.现在给你城堡的地图,请你计算出Ignatius能否在魔王回来前离开城堡(只要走到出口就算离开城堡,如果走到出口的时候魔王刚好回来也算逃亡成功),如果可以请输出需要多少分钟才能离开,如果不能则输出-1.
特别注意:本题的测试数据非常大,请使用scanf输入,我不能保证使用cin能不超时.在本OJ上请使用Visual C++提交.
#include<iostream>
#include<cstdio>
#include<cstring>
#include<queue>
#define N 60
using namespace std;
bool maps[N][N][N];//bool类型防止内存超限
int dir[6][3] = {0,1,0, 1,0,0, 0,-1,0, -1,0,0, 0,0,1, 0,0,-1};//方向
int a, b, c, T;//整体定义 减少传参麻烦
typedef struct xyz//节点 保存坐标和到达此点所需时间
{
int x;
int y;
int z;
int t;
}zb;
zb s;
void inPut()
{
int i, j, k;
for(i = 0; i < a; i++)
for(j = 0; j < b; j++)
for(k = 0; k < c; k++)
scanf("%d", &maps[i][j][k]);
}
void BFS()
{
int i, j, x, y, z;
zb v;
maps[0][0][0] = 1;//出发点初始化
queue<zb>q;
q.push(s);
while(!q.empty())
{
s = q.front();
if(s.t > T)//魔王回来时间内未逃出
{
printf("-1\n");
return;
}
if(s.x == a - 1 &&s.y == b - 1 && s.z == c - 1)//到达右下角, 胜利逃出
{
printf("%d\n", s.t);
return;
}
q.pop();
for(i = 0; i < 6; i++)
{
x = s.x + dir[i][0];
y = s.y + dir[i][1];
z = s.z + dir[i][2];
if(x >= 0 && x < a && y >= 0 && y < b && z >= 0 && z < c && maps[x][y][z] == 0)
{
maps[x][y][z] = 1;//走过点标记, 防止重复搜索
v.x = x, v.y = y, v.z = z, v.t = s.t + 1;
q.push(v);
}
}
}
printf("-1\n");//未能到达右下角
}
int main()
{
int K;
scanf("%d", &K);
while(K--)
{
scanf("%d %d %d %d", &a, &b, &c, &T);
s = {0, 0, 0, 0};
inPut();
BFS();
}
}