-
Notifications
You must be signed in to change notification settings - Fork 0
/
1614.括号的最大嵌套深度.go
94 lines (88 loc) · 2.07 KB
/
1614.括号的最大嵌套深度.go
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
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
/*
* @lc app=leetcode.cn id=1614 lang=golang
*
* [1614] 括号的最大嵌套深度
*
* https://leetcode-cn.com/problems/maximum-nesting-depth-of-the-parentheses/description/
*
* algorithms
* Easy (84.55%)
* Likes: 98
* Dislikes: 0
* Total Accepted: 49.7K
* Total Submissions: 58.9K
* Testcase Example: '"(1+(2*3)+((8)/4))+1"'
*
* 如果字符串满足以下条件之一,则可以称之为 有效括号字符串(valid parentheses string,可以简写为 VPS):
*
*
* 字符串是一个空字符串 "",或者是一个不为 "(" 或 ")" 的单字符。
* 字符串可以写为 AB(A 与 B 字符串连接),其中 A 和 B 都是 有效括号字符串 。
* 字符串可以写为 (A),其中 A 是一个 有效括号字符串 。
*
*
* 类似地,可以定义任何有效括号字符串 S 的 嵌套深度 depth(S):
*
*
* depth("") = 0
* depth(C) = 0,其中 C 是单个字符的字符串,且该字符不是 "(" 或者 ")"
* depth(A + B) = max(depth(A), depth(B)),其中 A 和 B 都是 有效括号字符串
* depth("(" + A + ")") = 1 + depth(A),其中 A 是一个 有效括号字符串
*
*
* 例如:""、"()()"、"()(()())" 都是 有效括号字符串(嵌套深度分别为 0、1、2),而 ")(" 、"(()" 都不是 有效括号字符串
* 。
*
* 给你一个 有效括号字符串 s,返回该字符串的 s 嵌套深度 。
*
*
*
* 示例 1:
*
*
* 输入:s = "(1+(2*3)+((8)/4))+1"
* 输出:3
* 解释:数字 8 在嵌套的 3 层括号中。
*
*
* 示例 2:
*
*
* 输入:s = "(1)+((2))+(((3)))"
* 输出:3
*
*
*
*
* 提示:
*
*
* 1 <= s.length <= 100
* s 由数字 0-9 和字符 '+'、'-'、'*'、'/'、'('、')' 组成
* 题目数据保证括号表达式 s 是 有效的括号表达式
*
*
*/
// @lc code=start
func maxDepth(s string) int {
max := 0
cur := 0
for i := range s {
c := s[i]
if c == byte('(') {
cur++
max = maxInt(cur, max)
}
if c == byte(')') {
cur--
}
}
return max
}
func maxInt(x, y int) int {
if x > y {
return x
}
return y
}
// @lc code=end