LeetCode20. Valid Parentheses(C++)

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

An input string is valid if:

  1. Open brackets must be closed by the same type of brackets.
  2. Open brackets must be closed in the correct order.

Note that an empty string is also considered valid.

Example 1:

Input: "()"
Output: true

Example 2:

Input: "()[]{}"
Output: true

Example 3:

Input: "(]"
Output: false

Example 4:

Input: "([)]"
Output: false

Example 5:

Input: "{[]}"
Output: true

解题思路:栈的典型用法

class Solution {
public:
    bool isValid(string s) {
        stack<char>istrue;
        for(int i=0;i<s.length();i++){
            switch(s[i]){
                case '(':{istrue.push('(');break;}
                case '[':{istrue.push('[');break;}
                case '{':{istrue.push('{');break;}
                case ')':{
                    if(istrue.size()==0||istrue.top()!='(')
                        return false;
                    istrue.pop();
                    break;
                }
                case ']':{
                    if(istrue.size()==0||istrue.top()!='[')
                        return false;
                    istrue.pop();
                    break;
                }
                case '}':{
                    if(istrue.size()==0||istrue.top()!='{')
                        return false;
                    istrue.pop();
                    break;
                }
            }
        }
        if(istrue.size()!=0)
            return false;
        return true;
    }
};

猜你喜欢

转载自blog.csdn.net/qq_41562704/article/details/86214052
今日推荐