#301 (div.2) C. Ice Cave

1.题目描述:点击打开链接

2.解题思路:本题利用BFS解决。由于行走的时候有两种情况,当遇到‘X'时会掉到下一层,当遇到’.'时还在本层,只不过’.'要变为'X'。那么直接用BFS进行搜索即可。如果遇到了’X',只需要判断是不是终点即可,否则跳过,如果遇到了‘.',那么将它改为‘X',并入队列即可。比赛时我一直在DFS和BFS之间徘徊不定,但其实不难发现,如果用DFS的话,可能有走不动的情况,需要往回撤。时间复杂度会比较高,因此自然会想到BFS。

3.代码:

#define _CRT_SECURE_NO_WARNINGS 
#include<iostream>
#include<algorithm>
#include<string>
#include<sstream>
#include<set>
#include<vector>
#include<stack>
#include<map>
#include<queue>
#include<deque>
#include<cstdlib>
#include<cstdio>
#include<cstring>
#include<cmath>
#include<ctime>
#include<functional>
using namespace std;

#define N 500+5
int n, m;
int s, t, e, d;
int dx[] = { 1, -1, 0, 0 };
int dy[] = { 0, 0, 1, -1 };
char g[N][N];

typedef pair<int, int>P;
bool bfs()
{
	queue<P>q;
	q.push(P(s,t));
	g[s][t] = 'X';
	while (!q.empty())
	{
		s = q.front().first, t = q.front().second; q.pop();
		for (int i = 0; i < 4; i++)
		{
			int xx = s + dx[i];
			int yy = t + dy[i];
			if (xx < 0 || xx >= n || yy < 0 || yy >= m)continue;
			if (g[xx][yy] == 'X')
			{
				if (xx == e&&yy == d)return true;
				continue;
			}
			g[xx][yy] = 'X';
			q.push(P(xx, yy));
		}
	}
	return false;
}
int main()
{
	//freopen("t.txt", "r", stdin);
	while (~scanf("%d%d", &n, &m))
	{
		for (int i = 0; i < n; i++)
			scanf("%s", g[i]);
		scanf("%d%d%d%d", &s, &t, &e, &d);
		s--, t--, e--, d--;
		printf("%s\n", bfs() ? "YES" : "NO");
	}
	return 0;
}

你可能感兴趣的:(bfs)