class Solution {
public:
int minAddToMakeValid(string s) {
}
};
921. 使括号有效的最少添加
只有满足下面几点之一,括号字符串才是有效的:
AB
(A
与 B
连接), 其中 A
和 B
都是有效字符串,或者(A)
,其中 A
是有效字符串。给定一个括号字符串 s
,移动N次,你就可以在字符串的任何位置插入一个括号。
s = "()))"
,你可以插入一个开始括号为 "(()))"
或结束括号为 "())))"
。返回 为使结果字符串 s
有效而必须添加的最少括号数。
示例 1:
输入:s = "())" 输出:1
示例 2:
输入:s = "(((" 输出:3
提示:
1 <= s.length <= 1000
s
只包含 '('
和 ')'
字符。原站题解
golang 解法, 执行用时: 0 ms, 内存消耗: 1.8 MB, 提交时间: 2022-11-16 16:58:13
func minAddToMakeValid(s string) (ans int) { cnt := 0 // 保存剩余 '(' 个数 for _, c := range s { if c == '(' { cnt++ } else if cnt > 0 { // c == ')' && cnt > 0, 消除一对 cnt-- } else { // c == ')', 需要增加一个 '(' ans++ } } return ans + cnt }
python3 解法, 执行用时: 32 ms, 内存消耗: 14.9 MB, 提交时间: 2022-11-16 16:55:24
class Solution: def minAddToMakeValid(self, s: str) -> int: ans = cnt = 0 for c in s: if c == '(': cnt += 1 elif cnt > 0: cnt -= 1 else: ans += 1 return ans + cnt