JAVA程序设计:最长有效括号(LeetCode:32)

给定一个只包含 '(' 和 ')' 的字符串,找出最长的包含有效括号的子串的长度。

示例 1:

输入: "(()"
输出: 2
解释: 最长有效括号子串为 "()"
示例 2:

输入: ")()())"
输出: 4
解释: 最长有效括号子串为 "()()"

思路:做法参考官方题解:https://leetcode-cn.com/problems/longest-valid-parentheses/solution/zui-chang-you-xiao-gua-hao-by-leetcode/JAVA程序设计:最长有效括号(LeetCode:32)_第1张图片

class Solution {
    public int longestValidParentheses(String s) {
        int ans=0;
        int dp[]=new int[s.length()];
        for(int i=1;i2?dp[i-2]:0)+2;
        		else if(i-dp[i-1]>0 && s.charAt(i-dp[i-1]-1)=='(')
        			dp[i]=dp[i-1]+(i-dp[i-1]>=2?dp[i-dp[i-1]-2]:0)+2;
        		ans=Math.max(ans,dp[i]);
        	}
        }
        return ans;
    }
}

方法二:栈。 我们考虑每次将还没有消除的‘(’或者‘)’的下标存入栈中, 当前若为‘)’的话,判断栈顶下标的位置是否为‘(’,如果是的话我们可以通过索引求差值来更新答案。

class Solution {
    public int longestValidParentheses(String s) {
        int ans=0;
        Stack st=new Stack();
        st.push(-1);
        for(int i=0;i=0 && s.charAt((int)st.peek())=='(')
        	{
        		st.pop();
        		ans=Math.max(ans,i-(int)st.peek());
        	}
        	else
        		st.push(i);
        }
        return ans;
    }
}

 

你可能感兴趣的:(JAVA程序设计:最长有效括号(LeetCode:32))