LeetCode 42. Trapping Rain Water
Question
Given n
non-negative integers representing an elevation map where the width of each bar is 1
, compute how much water it can trap after raining.
Example 1:
1 | Input: height = [0,1,0,2,1,0,1,3,2,1,2,1] |
Example 2:
1 | Input: height = [4,2,0,3,2,5] |
Constraints:
n == height.length
1 <= n <= 2 * 104
0 <= height[i] <= 105
Source: https://leetcode.com/problems/trapping-rain-water/
Solution
The main idea is to calculate and sum up the volume of water trapped on each bar. For bar i
, the volume of water on it is determined by the max heights on its left and right sides. $v = min(leftMax, rightMax) - height[i]$.
Thus, the most naive solution is to cache the leftMax
and rightMax
for each bar. Then we traverse height
again and calculate the volume of trapped water. The thought of caching is similar to DP but this solution does not have a classic transition phase.
A more space-efficient solution is two-pointer. The key point is that we do not have to get both accurate left max and right max, but get the min of them. We maintain two variables leftMax
, rightMax
, which store the max values on the left of left
pointer and the right of right
pointer respectively. For left
, leftMax
is trusted but rightMax
may be less than the real right max value for left
. For right
, the situation is similar to left
.
1 | // Cache left max and right max |
LeetCode 42. Trapping Rain Water
http://yenotes.org/2022/05/18/LeetCode-42-Trapping-Rain-Water/