How to Efficiently Solve the Trapping Rain Water Problem
This article will resolve
LeetCode | Difficulty |
---|---|
11. Container With Most Water | 🟠 |
42. Trapping Rain Water | 🔴 |
Prerequisites
Before reading this article, you need to first study:
LeetCode Problem 42, "Trapping Rain Water," is quite interesting and frequently appears in interview questions. This article will step-by-step optimize and explain this problem.
Let's first look at the problem:
42. Trapping Rain Water | LeetCode | 🔴
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:
data:image/s3,"s3://crabby-images/3d83c/3d83c5dfd8d514329f1bfefd2cb4cc3a5d49d514" alt=""
Input: height = [0,1,0,2,1,0,1,3,2,1,2,1] Output: 6 Explanation: The above elevation map (black section) is represented by array [0,1,0,2,1,0,1,3,2,1,2,1]. In this case, 6 units of rain water (blue section) are being trapped.
Example 2:
Input: height = [4,2,0,3,2,5] Output: 9
Constraints:
n == height.length
1 <= n <= 2 * 104
0 <= height[i] <= 105
You are given an array that represents a histogram. The task is to determine the maximum amount of water that this histogram can trap.
int trap(int[] height);
int trap(vector<int>& height);
def trap(height: List[int]) -> int:
func trap(height []int) int {}
var trap = function(height) {}
Let's delve into the progression from a brute-force solution to a memoization solution and finally a two-pointer solution, solving this problem in O(N) time and O(1) space.
1. Core Idea
Tips
When tackling algorithm problems, if you have no idea how to approach the question, try simplifying the problem. Start by thinking locally and writing the simplest and most straightforward solution. This might provide a breakthrough. Gradually optimizing this initial solution may lead to the optimal solution.
For instance, in this problem, instead of considering how much water the entire histogram can hold, focus only on how much water can be held at position i
.
data:image/s3,"s3://crabby-images/f3a42/f3a4203bd46a9defda0f93f669f1174577cd8dd4" alt=""
Position i
can hold 2 units of water because height[i]
is 0, and it can accommodate up to 2 units of water, calculated as 2-0=2.
Why can position i
hold up to 2 units of water? Because the height of the water column at position i
depends on the highest columns to its left and right, which we refer to as l_max
and r_max
, respectively. The maximum height of the water column at position i
is min(l_max, r_max)
.
Therefore, for position i
, the amount of water that can be held is: