forked from doocs/leetcode
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathSolution.cpp
76 lines (76 loc) · 2.53 KB
/
Solution.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
class Solution {
public:
int maximumMinutes(vector<vector<int>>& grid) {
int m = grid.size(), n = grid[0].size();
bool vis[m][n];
bool fire[m][n];
int dirs[5] = {-1, 0, 1, 0, -1};
auto spread = [&](queue<pair<int, int>>& q) {
queue<pair<int, int>> nq;
while (q.size()) {
auto [i, j] = q.front();
q.pop();
for (int k = 0; k < 4; ++k) {
int x = i + dirs[k], y = j + dirs[k + 1];
if (x >= 0 && x < m && y >= 0 && y < n && !fire[x][y] && grid[x][y] == 0) {
fire[x][y] = true;
nq.emplace(x, y);
}
}
}
return nq;
};
auto check = [&](int t) {
memset(vis, false, sizeof(vis));
memset(fire, false, sizeof(fire));
queue<pair<int, int>> q1;
for (int i = 0; i < m; ++i) {
for (int j = 0; j < n; ++j) {
if (grid[i][j] == 1) {
q1.emplace(i, j);
fire[i][j] = true;
}
}
}
for (; t && q1.size(); --t) {
q1 = spread(q1);
}
if (fire[0][0]) {
return false;
}
queue<pair<int, int>> q2;
q2.emplace(0, 0);
vis[0][0] = true;
for (; q2.size(); q1 = spread(q1)) {
for (int d = q2.size(); d; --d) {
auto [i, j] = q2.front();
q2.pop();
if (fire[i][j]) {
continue;
}
for (int k = 0; k < 4; ++k) {
int x = i + dirs[k], y = j + dirs[k + 1];
if (x >= 0 && x < m && y >= 0 && y < n && !vis[x][y] && !fire[x][y] && grid[x][y] == 0) {
if (x == m - 1 && y == n - 1) {
return true;
}
vis[x][y] = true;
q2.emplace(x, y);
}
}
}
}
return false;
};
int l = -1, r = m * n;
while (l < r) {
int mid = (l + r + 1) >> 1;
if (check(mid)) {
l = mid;
} else {
r = mid - 1;
}
}
return l == m * n ? 1e9 : l;
}
};