Problem Description
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.
Key Insights
- Water can only be trapped in a cell if it is surrounded by taller cells.
- The volume of water trapped in a cell depends on the height of the tallest cells surrounding it.
- A priority queue (min-heap) can be used to efficiently track the lowest boundary of the surrounding cells.
- A breadth-first search (BFS) can be employed to explore the height map and calculate the trapped water.
Space and Time Complexity
Time Complexity: O(m * n * log(m * n)), where m is the number of rows and n is the number of columns in the height map. Space Complexity: O(m * n) for the priority queue and visited array.
Solution
To solve the problem, we can use a priority queue (min-heap) to keep track of the cells' heights. We start by adding all the boundary cells to the queue, as these cannot trap any water. We then perform a BFS, popping the lowest cell from the heap and examining its neighbors. If a neighboring cell is lower than the current cell, we can trap water equal to the difference in height and mark that cell as visited. We then push the neighbor into the heap with its updated height (the maximum of its original height and the current cell's height). This process continues until all cells have been processed.