力扣算法学习day41-2
42-接雨水
题目
data:image/s3,"s3://crabby-images/c172d/c172d47522ea8b88a7867166c98ab5d2f31e5a2c" alt="image-20220303174740540"
data:image/s3,"s3://crabby-images/9db2a/9db2af9e20949a89fa5e167fe0d9b587c23f1789" alt="image-20220303174847806"
代码实现
class Solution {
public int trap(int[] height) {
LinkedList<Integer> stack = new LinkedList<>();
int result = 0;
stack.push(0);
for(int i = 0;i < height.length;i++){
while(!stack.isEmpty() && height[i] >= height[stack.peek()]){
if(height[i] == height[stack.peek()]){
stack.pop();
break;
}
int mid = stack.pop();
if(stack.isEmpty()){
break;
}
int x = i - stack.peek() - 1;
int y = Math.min(height[i],height[stack.peek()]) - height[mid];
int area = x * y;
result += area;
}
stack.push(i);
}
return result;
}
}
|