HDU_1254——推箱子,两次BFS

时间:2024-01-17 08:46:02

这题做的一把鼻涕一把泪,果断考虑不周555

Problem Description
推箱子是一个很经典的游戏.今天我们来玩一个简单版本.在一个M*N的房间里有一个箱子和一个搬运工,搬运工的工作就是把箱子推到指定的位置,注意,搬运工只能推箱子而不能拉箱子,因此如果箱子被推到一个角上(如图2)那么箱子就不能再被移动了,如果箱子被推到一面墙上,那么箱子只能沿着墙移动.
现在给定房间的结构,箱子的位置,搬运工的位置和箱子要被推去的位置,请你计算出搬运工至少要推动箱子多少格.HDU_1254——推箱子,两次BFS
Input
输入数据的第一行是一个整数T(1<=T<=20),代表测试数据的数量.然后是T组测试数据,每组测试数据的第一行是两个正整数M,N(2<=M,N<=7),代表房间的大小,然后是一个M行N列的矩阵,代表房间的布局,其中0代表空的地板,1代表墙,2代表箱子的起始位置,3代表箱子要被推去的位置,4代表搬运工的起始位置.
Output
对于每组测试数据,输出搬运工最少需要推动箱子多少格才能帮箱子推到指定位置,如果不能推到指定位置则输出-1.
Sample Input
1
5 5
0 3 0 0 0
1 0 1 4 0
0 0 1 0 0
1 0 2 0 0
0 0 0 0 0
Sample Output
4
 #include <cstdio>
#include <queue>
using namespace std;
const int dir[][] = {,,,-,,,-,};
int m, n, map[][]; struct node
{
int x, y, step;
int man_x, man_y; bool check(void)
{
if(x>= && x<m && y>= && y<n)
{
if(map[x][y] != )
{
return true;
}
}
return false;
}
}start, man, temp, next, u, v; bool BFS_Man(void)
{
start.x = temp.man_x;
start.y = temp.man_y; int mark[][] = {};
mark[start.x][start.y] = ; queue<node>que;
que.push(start); while(!que.empty())
{
u = que.front();
que.pop();
if(u.x == man.x && u.y == man.y)
{
return true;
}
for(int i=;i<;i++)
{
v.x = u.x + dir[i][];
v.y = u.y + dir[i][];
if(v.check() && !mark[v.x][v.y] && (v.x != temp.x || v.y != temp.y)) //越界,撞墙,重复,撞箱子
{
mark[v.x][v.y] = ;
que.push(v);
}
}
}
return false;
} int BFS_Box(void)
{
int mark[][][] = {}; //判重的时候需要一个三维数组,箱子从不同方向过来,人的位置是不一样的,也就意味着状态不一样 queue<node>que;
que.push(start); while(!que.empty())
{
temp = que.front();
que.pop(); if(map[temp.x][temp.y] == ) //找到返回步数
{
return temp.step;
} for(int i=;i<;i++)
{
next.x = temp.x + dir[i][];
next.y = temp.y + dir[i][];
next.step = temp.step + ;
if(next.check() && mark[next.x][next.y][i] == ) //判断越界,撞墙,重复
{
man.x = temp.x - dir[i][];
man.y = temp.y - dir[i][]; //人移动的目标坐标
if(man.check()) //判断目标坐标是否越界,撞墙
{
if(BFS_Man()) //搜索判断人是否可以移动到目标点
{
next.man_x = temp.x;
next.man_y = temp.y; //更新当前人坐标 mark[next.x][next.y][i] = ;
que.push(next);
}
}
}
}
}
return -;
} int main()
{
int T;
scanf("%d",&T);
while(T--)
{
scanf("%d%d",&m,&n);
for(int i=;i<m;i++)
{
for(int j=;j<n;j++)
{
scanf("%d",&map[i][j]);
if(map[i][j] == ) //记录箱子起点
{
start.x = i;
start.y = j;
start.step = ;
}
else if(map[i][j] == ) //记录人起点
{
start.man_x = i;
start.man_y = j;
}
}
}
printf("%d\n",BFS_Box());
}
return ;
}