題目描述:spa
給定一個只包含 '(' 和 ')' 的字符串,找出最長的包含有效括號的子串的長度。code
示例 1:blog
輸入: "(()"
輸出: 2
解釋: 最長有效括號子串爲 "()"
示例 2:字符串
輸入: ")()())"
輸出: 4
解釋: 最長有效括號子串爲 "()()"string
思路分析:io
思路一:涉及括號的問題,通常利用棧實現。這裏能夠利用下標的關係來計算子串的長度。因爲子串是指連續的,所以利用一個start指,來表示距離當前最遠的位置。初始start的值爲-1,接下來掃描字符串。若遇到'(',則進棧。不然,須要判斷當前的棧是否爲空,若爲空,則包含當前位置的最長有效子串爲i-start,不然,爲i-stack.top()。class
代碼:top
1 class Solution { 2 public: 3 int longestValidParentheses(string s) { 4 int n = s.length(); 5 if(n==0) 6 return 0; 7 stack<int> mystack; 8 int res=0; 9 int start=-1; 10 for(int i=0; i<n; i++) 11 { 12 if(s[i]=='(') 13 { 14 mystack.push(i); 15 } 16 else 17 { 18 if(mystack.empty()) 19 start = i; 20 else 21 { 22 mystack.pop(); 23 int tmp = mystack.empty() ? i-start : i-mystack.top(); 24 res = max(res, tmp); 25 } 26 } 27 } 28 return res; 29 } 30 };