1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-20 01:56:57 +02:00
LeetCode/java/longest-valid-parentheses.java

25 lines
500 B
Java
Raw Normal View History

import java.util.Stack;
class Solution {
public int longestValidParentheses(String s) {
var longest = 0;
var indices = new Stack<Integer>();
indices.push(-1);
for (var i = 0; i < s.length(); ++i) {
if (s.charAt(i) == '(') {
indices.push(i);
} else {
indices.pop();
if (indices.isEmpty()) {
indices.push(i);
} else {
longest = Math.max(longest, i - indices.peek());
}
}
}
return longest;
}
}