# Dynamic Plan
public class RainWaterTrap {
public static int trap(int[] height) {
if (height == null || height.length < 3) {
return 0;
}
int n = height.length;
int[] leftMax = new int[n]; // max to the left of i
int[] rightMax = new int[n]; // max to the right of i
// Step 1: Compute left max for each position
leftMax[0] = height[0];
for (int i = 1; i < n; i++) {
leftMax[i] = Math.max(leftMax[i - 1], height[i]);
}
// Step 2: Compute right max for each position
rightMax[n - 1] = height[n - 1];
for (int i = n - 2; i >= 0; i--) {
rightMax[i] = Math.max(rightMax[i + 1], height[i]);
}
// Step 3: Accumulate trapped water
int trappedWater = 0;
for (int i = 0; i < n; i++) {
trappedWater += Math.min(leftMax[i], rightMax[i]) - height[i];
}
return trappedWater;
}
public static void main(String[] args) {
int[] height = {0, 1, 0, 2, 1, 0, 1, 3, 2, 1, 2, 1};
System.out.println("Total water trapped: " + trap(height));
}
}