-
Notifications
You must be signed in to change notification settings - Fork 1.6k
/
trapping-rain-water-ii.cpp
81 lines (70 loc) · 2.29 KB
/
trapping-rain-water-ii.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
77
78
79
80
81
// Time: O(m * n * log(m + n)) ~ O(m * n * log(m * n))
// Space: O(m * n)
class Solution {
public:
int trapRainWater(vector<vector<int>>& heightMap) {
// Init m_, n_, is_visited_.
m_ = heightMap.size();
if (!m_) {
return 0;
}
n_ = heightMap[0].size();
if (!n_) {
return 0;
}
is_visited_ = vector<vector<bool>>(m_, vector<bool>(n_, false));
int trap = 0;
// Put the cells on the border into min heap.
for (int i = 0; i < m_; ++i) {
heap_.emplace(Cell{i, 0, heightMap[i][0]});
is_visited_[i][0] = true;
heap_.emplace(Cell{i, n_ - 1, heightMap[i][n_ - 1]});
is_visited_[i][n_ - 1] = true;
}
for (int j = 1; j < n_ - 1; ++j) {
heap_.emplace(Cell{0, j, heightMap[0][j]});
is_visited_[0][j] = true;
heap_.emplace(Cell{m_ - 1, j, heightMap[m_ - 1][j]});
is_visited_[m_ - 1][j] = true;
}
const vector<pair<int, int>> directions{{0, -1}, {0, 1},
{-1, 0}, {1, 0}};
// BFS with priority queue (min heap)
while (!heap_.empty()) {
Cell c = heap_.top();
heap_.pop();
for (const auto& d : directions) {
trap += fill(heightMap, c.i + d.first, c.j + d.second, c.height);
}
}
return trap;
}
private:
int fill(const vector<vector<int>>& heightMap, int i, int j, int height) {
// Out of border.
if ( i < 0 || i >= m_ || j < 0 || j >= n_) {
return 0;
}
// Fill unvisited cell.
if (!is_visited_[i][j]) {
heap_.emplace(Cell{i, j, max(height, heightMap[i][j])});
is_visited_[i][j] = true; // Marked as visited.
return max(0, height - heightMap[i][j]); // Fill in the gap.
}
return 0;
}
struct Cell {
int i;
int j;
int height;
};
struct Compare {
bool operator()(const Cell& a, const Cell& b) {
return a.height > b.height;
}
};
int m_;
int n_;
vector<vector<bool>> is_visited_;
priority_queue<Cell ,vector<Cell>, Compare> heap_; // Use min heap to get the lowerest cell.
};