【BFS】推箱子问题

题目:大家一定玩过“推箱子”这个经典的游戏。具体规则就是在一个N*M的地图上,有1个玩家、1个箱子、1个目的地以及若干障碍,其余是空地。玩家可以往上下左右4个方向移动,但是不能移动出地图或者移动到障碍里去。

        如果往这个方向移动推到了箱子,箱子也会按这个方向移动一格,当然,箱子也不能被推出地图或推到障碍里。当箱子被推到目的地以后,游戏目标达成。

        现在告诉你游戏开始是初始的地图布局,请你求出玩家最少需要移动多少步才能够将游戏目标达成。 

输入描述: 
每个测试输入包含1个测试用例 
第一行输入两个数字N,M表示地图的大小。其中0<NM<=80<N,M<=8。 
接下来有N行,每行包含M个字符表示该行地图。其中 . 表示空地、X表示玩家、*表示箱子、#表示障碍、@表示目的地。 
每个地图必定包含1个玩家、1个箱子、1个目的地。

输出描述: 

输出一个数字表示玩家最少需要移动多少步才能将游戏目标达成。当无论如何达成不了的时候,输出-1。


思路:经典的BFS,状态有四个维:玩家x坐标,玩家y坐标,箱子x坐标,箱子y坐标

代码如下:

//hero X;dest @;box *;block #;space .;
#include <iostream>
#include<queue>
#include<string>
using namespace std;
char maze[10][10];
int mark[10][10][10][10];
int dir[4][2] = { 1,0,0,1,-1,0,0,-1 };
int M, N;
struct node {
	int hr, hc, br, bc, depth;
	node(int hr, int hc, int br, int bc, int depth) :hr(hr), hc(hc), br(br), bc(bc), depth(depth) {}
};
int bfs(node& start);
int main() {
	while (cin >> M >> N) {
		node start(0, 0, 0, 0, 0);
		for(int i=0;i<M;i++)
			for (int j = 0; j < N; j++) {
				char c;
				cin >> c;
				maze[i][j] = c;
				if (c == 'X') {
					start.hr = i;
					start.hc = j;
				}
				if (c == '*') {
					start.br = i;
					start.bc = j;
				}
			}
		cout << bfs(start) << endl;
	}
	return 0;
}

BFS部分直接套用模板,唯一要注意的是碰到箱子后的处理方式

int bfs(node& start) {
	queue<node> q;
	q.push(start);
	mark[start.hr][start.hc][start.br][start.bc] = 1;
	while ((!q.empty())) {
		node head = q.front();
		q.pop();
		if (maze[head.br][head.bc] == '@')
			return head.depth;
		for (int i = 0; i < 4; i++) {
			int hnr = head.hr + dir[i][0];
			int hnc = head.hc + dir[i][1];
			int bnr = head.br;
			int bnc = head.bc;
			if (hnr < 0 || hnr >= M || hnc < 0 || hnc >= N)//人越界
				continue;
			if (maze[hnr][hnc] == '#')//人碰到障碍物
				continue;
			if (hnr==head.br&&hnc==head.bc) {
				bnr = bnr + dir[i][0];
				bnc = bnc + dir[i][1];
				if (bnr < 0 || bnr >= M || bnc < 0 || bnc >= N)//箱子越界
					continue;
				if (maze[bnr][bnc] == '#')//箱子碰到障碍物
					continue;
			}
			if (mark[hnr][hnc][bnr][bnc] == 1)//状态已被访问过
				continue;
			q.push(node(hnr, hnc, bnr, bnc, head.depth + 1));
			mark[hnr][hnc][bnr][bnc] = 1;
		}
	}
	return -1;
}

    原文作者:BFS
    原文地址: https://blog.csdn.net/sinat_38972110/article/details/80111811
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞