# 32. 最长有效括号

// 给你一个只包含 '(' 和 ')' 的字符串,找出最长有效(格式正确且连续)括号子串的长度\
// 栈的方式
var longestValidParentheses = function(s) {
  const stack = [-1];
  let maxLength = 0;

  for (let i = 0; i < s.length; i++) {
    if (s[i] === ")") {
      stack.pop();
      // 栈为空计算最大值
      if (stack.length) {
        // 清除栈后, 计算最大值
        const max = i - stack[stack.length - 1];
        maxLength = Math.max(max, maxLength);
      } else {
        // 栈空了, 入参充当参照
        stack.push(i);
      }
    } else {
      stack.push(i);
    }
  }
  return maxLength;
};

console.log(longestValidParentheses("(()")); // 2
console.log(longestValidParentheses(")()())")); // 4
console.log(longestValidParentheses("()")); // 2
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
Last Updated: 6/27/2023, 7:40:45 PM