1. 程式人生 > >UVA 11624 Fire!(BFS)

UVA 11624 Fire!(BFS)

題意:J需要逃出矩陣,只有走到矩陣邊即算成功。但是矩陣中存在幾個F代表火,火每一秒向四周擴散,問J能否逃出?求最短路徑。

思路一:先對火進行搜尋,記錄火到每個點的最短時間。然後對J進行搜尋,J每次到一個點,判斷J到這個點的時間是否早於火到達的時間。若早即可走。

思路二:對人和火進行同時搜尋,每次搜尋先處理火的,再處理人的。判斷同思路一。

程式碼:

#include <stdio.h>
#include <string.h>
#include <iostream>
#include <algorithm>
#include <math.h>
#include <queue> using namespace std; const int INF = 0x3f3f3f3f; const int N = 1e3 + 10; struct Node { int x, y; int step; }; int r, c; vector<Node> f; int fire[N][N]; int dis[N][N]; char _map[N][N]; int x[4] = {0, 1, 0, -1}; int y[4] = {1, 0, -1, 0}; bool safe(Node now) { if (now.x == 0
|| now.x == r - 1 || now.y == 0 || now.y == c - 1) return true; return false; } int bfs(Node s) { queue<Node> q, p; for (int i = 0; i < f.size(); i++) { p.push(f[i]); fire[f[i].x][f[i].y] = 0; } q.push(s); dis[s.x][s.y] = 0; while (!q.empty()) { int nt = q.front().step; // 記錄當前搜尋的時間
while (!p.empty() && p.front().step <= nt) { // 處理當前時間的火 Node nf = p.front(); p.pop(); for (int i = 0; i < 4; i++) { Node tf; tf.x = nf.x + x[i]; tf.y = nf.y + y[i]; tf.step = nf.step + 1; if (tf.x >= 0 && tf.x < r && tf.y >= 0 && tf.y < c && _map[tf.x][tf.y] != '#' && fire[tf.x][tf.y] > tf.step) { fire[tf.x][tf.y] = tf.step; p.push(tf); } } } while (!q.empty() && q.front().step <= nt) { // 處理當前時間的人 Node nj = q.front(); q.pop(); if (safe(nj)) return nj.step; for (int i = 0; i < 4; i++) { Node tj; tj.x = nj.x + x[i]; tj.y = nj.y + y[i]; tj.step = nj.step + 1; if (tj.x >= 0 && tj.x < r && tj.y >= 0 && tj.y < c && _map[tj.x][tj.y] != '#' && dis[tj.x][tj.y] > tj.step && fire[tj.x][tj.y] > tj.step) { dis[tj.x][tj.y] = tj.step; q.push(tj); } } } } return -1; } int main() { int t_case; scanf("%d", &t_case); for (int i_c = 0; i_c < t_case; i_c++) { scanf("%d%d", &r, &c); for (int i = 0; i < r; i++) scanf("%s", _map[i]); Node st; f.clear(); for (int i = 0; i < r; i++) { for (int j = 0; j < c; j++) { if (_map[i][j] == 'J') { st.x = i, st.y = j, st.step = 0; } else if (_map[i][j] == 'F') { Node t; t.x = i, t.y = j, t.step = 0; f.push_back(t); } } } memset(dis, INF, sizeof(dis)); memset(fire, INF, sizeof(fire)); int res = bfs(st); if (res == -1) printf("IMPOSSIBLE\n"); else printf("%d\n", res + 1); } return 0; }