https://leetcode-cn.com/problems/longest-valid-parentheses/
思路
一开始的想法是用栈辅助匹配括号,后来发现题目中求的是最长有效,发现用栈直接匹配括号有点麻烦。后来,看了官方题解:
使用栈来记录最后一个没有被匹配的右括号的下标
- 对于遇到的每个'(',我们将它的下标放入栈中
- 对于遇到的每个‘)',先弹出栈顶元素
- 栈为空,将下标放入栈中
- 栈不为空,i - stack.peek()即为以该右括号为结尾的最长有效括号的长度
既能满足匹配,又通过下标巧妙地求出最长有效的长度,这个想法很不错!
import java.util.Stack;
class Solution {
public int longestValidParentheses(String s) {
int res = 0;
Stack<Integer> stack = new Stack<>();
stack.push(-1);
for(int i = 0; i < s.length(); i++){
if(s.charAt(i) == '('){
stack.push(i);
}
else{
stack.pop();
if(stack.empty()){
stack.push(i);
}
else{
res = Math.max(res, i - stack.peek());
}
}
}
return res;
}
}