上面是由数组 [0,1,0,2,1,0,1,3,2,1,2,1] 表示的高度图,在这种情况下,可以接 6 个单位的雨水(蓝色部分表示雨水)。 感谢 Marcos 贡献此图。
示例:
输入: [0,1,0,2,1,0,1,3,2,1,2,1] 输出: 6 思路:单调栈,参考了题解:https://leetcode-cn.com/problems/trapping-rain-water/solution/xiang-xi-tong-su-de-si-lu-fen-xi-duo-jie-fa-by-w-8/
class Solution { public int trap(int[] height) { //单调栈:用于存储下标 Stack<Integer> stack = new Stack<Integer>(); int res = 0; int cur = 0; while(cur<height.length){ while(!stack.isEmpty()&&height[stack.peek()]<height[cur]){ int base = height[stack.peek()]; stack.pop(); if(stack.isEmpty()){ break; } int left = stack.peek(); int width = cur - left -1;//计算接雨水的宽度 int h = Math.min(height[cur],height[left])-base;//高度 res += width*h;//量 } stack.push(cur); cur++; } return res; } }