题目
给定一个只包含 '(' 和 ')' 的字符串,找出最长的包含有效括号的子串的长度。
示例 1:
输入: "(()"
输出: 2
解释: 最长有效括号子串为 "()"
示例 2:
输入: ")()())"
输出: 4
解释: 最长有效括号子串为 "()()"
题解
括号匹配的题,首先就是想stack的方式。我们借助stack来求解。需要定义个start变量来记录合法括号串的起始位置,我们遍历字符串,如果遇到左括号,则将当前下标压入栈,如果遇到右括号,且当前栈为空,则将下一个坐标位置记录到start,如果栈不为空,则将栈顶元素取出,此时若栈为空,则更新结果和i - start + 1中的较大值,否则更新结果和i - 栈顶元素中的较大值。
class Solution {
public int longestValidParentheses(String s) {
int res = 0;
int start = 0;
int[] stack = new int[s.length()];
int top = -1;
for (int i = 0; i < s.length(); i ++) {
if (s.charAt(i) == '(') {
stack[++top] = i;
} else {
if(top == -1) {
start = i + 1;
} else {
top--;
res = top == -1 ? Math.max(res, i - start + 1) : Math.max(res, i - stack[top]);
}
}
}
return res;
}
}
image
网友评论