POJ3669 Meteor Shower
题目链接:
POJ3669 Meteor Shower
简单理解一下题目:
张三遇到了流星雨,他所在的地方被划分成很多个方格,有的方格会在某一时刻被流星雨砸中,张三必须尽快移动到一个永远不会被流星雨砸中的方格里,每个流星砸中某一方格时,也会同时砸中这个方格周围上下左右四个方向的方格。求张三移动到安全方格所需的最短时间。
看一下输入:
4
0 0 2
2 1 2
1 1 2
0 3 5
输入第一行是流星雨的数量n,后面n行是每个流星雨的坐标以及砸中的时间,我的处理方法是,建立二维数组,二维数组的下标代表方格的横纵坐标,值代表被流星雨砸中的时间,对于输入的每个流星,更新该流星砸中的方格的安全时间(取最小值),同时更新该方格四个方向的方格。
解题思路:
用广度优先搜索,每到一个新的方格,依次遍历左下右上四个方向的方格,然后再依次去这四个方格进行搜索。我用的是队列queue,先进先出,可以保证先搜索先进去的状态,然后生成的状态也放入队列中,这种结构就能够保证在前面搜索到的安全地带一定是花费了最少的时间到达的。
AC代码:
#include<iostream>
#include<cstring>
#include<queue>using namespace std;const int MAX_N = 302;
const int INF = 1e9;
typedef pair<int, int>P;int M;
int meteor[MAX_N][MAX_N];
int ti;//表示当前时间
int dx[4] = { -1,0,1,0 };//左,下,右,上
int dy[4] = { 0,-1,0,1 };
int time_[MAX_N][MAX_N];//记录到达某个方格的最短时间queue<P>que;void solve() {if (meteor[0][0] == 0) {cout << -1 << endl;return;}time_[0][0] = 0;que.push(P(0, 0));while (!que.empty()) {P p = que.front();que.pop();if (meteor[p.first][p.second] == INF) {cout << time_[p.first][p.second] << endl;return;}for (int i = 0; i < 4; i++) {int nx = p.first + dx[i];int ny = p.second + dy[i];if (nx >= 0 && nx < MAX_N && ny >= 0 && ny<MAX_N && time_[nx][ny] == INF && meteor[nx][ny] > time_[p.first][p.second] + 1) {que.push(P(nx, ny));time_[nx][ny] = time_[p.first][p.second] + 1;}}}cout << -1 << endl;return;
}int main() {cin >> M;int x, y, t;for (int i = 0; i < MAX_N; i++) {for (int j = 0; j < MAX_N; j++) {meteor[i][j] = INF;//初始化为无穷大,表示都不会被砸到time_[i][j] = INF;}}for (int i = 0; i < M; i++) {cin >> x >> y >> t;meteor[x][y] = min(t, meteor[x][y]);//更新最小的安全时间for (int i = 0; i < 4; i++) {//相邻四个方向的方格也要更新int nx = x + dx[i];int ny = y + dy[i];if (nx >= 0 && nx < MAX_N && ny >= 0 && ny < MAX_N) {meteor[nx][ny] = min(t, meteor[nx][ny]);}}}solve();return 0;
}/*
4
0 0 2
2 1 2
1 1 2
0 3 5
*/