1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
|
package leetcode
import "fmt"
/**
使用栈的方式
设置一个只存下标的栈(这里用数组表示)
把盛雨水的图形看做一个碗, 栈只存碗左边的下标, 栈中对应的值从下向上呈下降趋势
从左向右遍历时一旦出现上升趋势的下标, 说明能构成一个"碗", 就要开始干活了
这个思路和 Longest Valid Parentheses 的类似, 一层层的计算出每个满足条件的结果, 最后相加
时间复杂度O(n)
空间复杂度O(n)
*/
func trapStack(height []int) int {
result := 0
if len(height) < 2 {
return result
}
st := []int{}
current := 0
for current < len(height) {
// 调试用
// fmt.Printf("all stack %v \n", st)
for len(st) > 0 && height[current] > height[st[len(st)-1]] {
// 调试用
// fmt.Printf("work stack %v \n", st)
// 最低点的下标
top := st[len(st)-1]
st = st[0 : len(st)-1]
if len(st) == 0 {
break
}
// st[len(st)-1]是次低点的下标
// current - st[len(st)-1] 计算碗的宽度, 因为有"边界", 所以要减一
// 而且这个宽度下"碗"的高度是一致的
dst := current - st[len(st)-1] - 1
// 计算碗的高度
h := min(height[current], height[st[len(st)-1]]) - height[top]
// 调试用
// fmt.Printf("top: %d, st.Top: %d, current: %d \ndst %d, h: %d \n", top, st[len(st)-1], current, dst, h)
result += dst * h
}
st = append(st, current)
current++
}
return result
}
|