Leetcode
Longest Valid Parentheses
Solution:
Use stack to record '(' position, then check current valid length when a ')' come.
then, max length valid Parentheses is decided by two situation
1) stack is not empty, so the current length is current position i- last second position of '(' in stack, we can calculate it
through stack.pop(), then i-stack.peek() and check the length with max
2) stack is empty, then the longest length we can check currently is i-last (last is the position of last invalid ')')
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Given a string containing just the characters '(' and ')', find the length of the longest valid (well-formed) parentheses substring. | |
For "(()", the longest valid parentheses substring is "()", which has length = 2. | |
Another example is ")()())", where the longest valid parentheses substring is "()()", which has length = 4. | |
public class Solution { | |
public int longestValidParentheses(String s) { | |
if (s==null||s.length()==0){ | |
return 0; | |
} | |
int last=-1; | |
int maxLen=0; | |
Stack<Integer> stack=new Stack<Integer>(); | |
for (int i=0; i<s.length();i++){ | |
if (s.charAt(i)=='('){ | |
stack.push(i); | |
} | |
else{ | |
if (stack.isEmpty()){ | |
// record the position before first left parenthesis | |
last=i; | |
} | |
else{ | |
stack.pop(); | |
// if stack is empty mean the positon before the valid left parenthesis is "last" | |
if (stack.isEmpty()){ | |
maxLen=Math.max(i-last, maxLen); | |
} | |
else{ | |
// if stack is not empty, then for current i the longest valid parenthesis length is | |
// i-stack.peek() | |
maxLen=Math.max(i-stack.peek(),maxLen); | |
} | |
} | |
} | |
} | |
return maxLen; | |
} | |
} |
No comments:
Post a Comment