【LeetCode】20. Valid Parentheses

Given a string containing just the characters '('')''{''}''[' and ']', determine if the input string is valid.

The brackets must close in the correct order, "()" and "()[]{}" are all valid but "(]" and "([)]" are not.

思路,用栈实现。当出现‘(’、‘{’、‘[’入栈,遇到‘)’、‘}’、']'时和栈顶元素去匹配,若匹配成功,则删除栈顶元素。

最后检查栈是否为空,如果为空,则全部匹配成功,返回true,否则,返回false。

class Solution {
public:
    bool isValid(string s) {
        stack<char> stk;
        int len = s.length();
        for(int i = 0; i < len;i++)
        {
            if(s[i]=='('||s[i]=='{'||s[i]=='[')
            {
                stk.push(s[i]);
            }
            else
            {
                if(stk.empty())
                 return false;
                char tmp= stk.top(); 
                if(s[i]==')'&&tmp=='('||s[i]=='}'&&tmp=='{'||s[i]==']'&&tmp=='[')
                {
                    stk.pop();
                }
                else return false;
            }
        }
        if(stk.empty())
         return true;
         else return false;
    }
};


你可能感兴趣的:(【LeetCode】20. Valid Parentheses)