Given an m x n
integer matrix heightMap
representing the height of each unit cell in a 2D elevation map, return the volume of water it can trap after raining.
Example 1:
Input: heightMap = [[1,4,3,1,3,2],[3,2,1,3,2,4],[2,3,3,2,3,1]] Output: 4 Explanation: After the rain, water is trapped between the blocks. We have two small ponds 1 and 3 units trapped. The total volume of water trapped is 4.
Example 2:
Input: heightMap = [[3,3,3,3,3],[3,2,2,2,3],[3,2,1,2,3],[3,2,2,2,3],[3,3,3,3,3]] Output: 10
Constraints:
m == heightMap.length
n == heightMap[i].length
1 <= m, n <= 200
0 <= heightMap[i][j] <= 2 * 104
This problem asks to find the volume of rainwater trapped in a 2D elevation map. The key idea is to use a priority queue (min-heap) to process cells in increasing order of height, ensuring that we always consider cells with lower heights first, mimicking the water filling process.
Algorithm:
Initialization:
vis
to track visited cells (initially all false).pq
to store cells. Initially, add all boundary cells to pq
with their heights as priorities. Mark these boundary cells as visited in vis
.Iteration:
pq
(let's call it (i, j)
with height h
).(x, y)
of (i, j)
:
(x, y)
: max(0, h - heightMap[x][y])
. Add this to the total trapped water ans
.(x, y)
as visited (vis[x][y] = True
).(x, y)
into pq
with a priority of max(h, heightMap[x][y])
. This ensures that the next time we process a neighbor, its height (or the height of its higher neighbor) is used for determining the trapped water.Return: Return the total trapped water ans
.
Time Complexity Analysis:
Space Complexity Analysis:
vis
of size MN to keep track of visited cells, O(MN).Code in Different Languages:
The provided code snippets (Python, Java, C++, Go) follow the algorithm described above. They use a min-heap (priority queue) data structure to efficiently process cells in ascending order of height. The dirs
array helps to efficiently iterate over the four neighboring cells of a given cell. The use of vis
ensures we don't process the same cell multiple times, preventing infinite loops. The Go code also demonstrates the implementation of a min-heap using a custom type and the heap
package. The choice of language impacts the syntax but the core algorithm remains the same.