题目链接:https://leetcode-cn.com/problems/valid-parentheses/
Description
给定一个只包括 ‘(’,’)’,’{’,’}’,’[’,’]’ 的字符串,判断字符串是否有效。
有效字符串需满足:
左括号必须用相同类型的右括号闭合。
左括号必须以正确的顺序闭合。
注意空字符串可被认为是有效字符串。
Sample
输入: “()”
输出: true
输入: “()[]{}”
输出: true
输入: “(]”
输出: false
输入: “([)]”
输出: false
输入: “{[]}”
输出: true
Solution
用一个栈来维护,如果第一个字符不是左括号,直接return false,否则将第一个字符入栈,然后判断后续字符是否与其匹配。~为什么我每天都是在写水题 呜呜呜~
AC Code
class Solution {
public:
bool isValid(string s) {
int len=s.length();
if(len==0) return true;
if(len%2) return false;
stack<char> t;
if(s[0]=='('||s[0]=='['||s[0]=='{') t.push(s[0]);
else return false;
for(int i=1;i<len;i++){
if(s[i]=='('||s[i]=='['||s[i]=='{') t.push(s[i]);
else if(s[i]==')'){
if(!t.empty()){
if(t.top()!='(') return false;
else t.pop();
}
else return false;
}
else if(s[i]==']'){
if(!t.empty()){
if(t.top()!='[') return false;
else t.pop();
}
else return false;
}
else if(s[i]=='}'){
if(!t.empty()){
if(t.top()!='{') return false;
else t.pop();
}
else return false;
}
}
if(t.empty()) return true;
else return false;
}
};