zoukankan      html  css  js  c++  java
  • 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.

    题意:

    判断给出的string中,括号是不是一一对应的,比如 ( )  或者 { } [ ] ( )算合法的括号,(] 或者 ( [ ) ] 都不合法。

    思路:

    用一个Stack来存储括号, 主要考察对栈数据结构的操作。

    算法的时间复杂度是O(n),空间复杂度也是O(n)。

    遍历传入的String s,如果遇到左括号就入栈;如果遇到右括号,检查栈如果为空,证明不能匹配,如果栈不空,pop出栈顶的元素,看是否与当前的右括号匹配。

    如果匹配,继续向下进行新一轮的循环,如果不匹配,返回false.

    注意:

    全部字符都检查完了以后,判断栈是否为空,空则正确都匹配,不空则证明有没匹配的。

    检查字符是用==,检查String是用.isEqual(),因为String是引用类型,值相等但是地址可能不等。

    public class Solution {
        public boolean isValid(String s) {
            if(s.length() == 0 || s.length() == 1){
                return false;
            }
            
            Stack<Character> stack = new Stack<Character>();
            
            for(int i=0;i<s.length();i++){
                char cur = s.charAt(i);
                if(cur == '(' || cur == '{' || cur == '['){
                    stack.push(cur);
                }else{
                    switch(cur){
                        case ')': 
                            if(stack.isEmpty() || stack.pop() != '('){
                                return false;
                            } 
                            break;
                        case ']' : 
                            if(stack.isEmpty() || stack.pop() != '['){
                                return false;
                            } 
                            break;
                        case '}' : 
                            if(stack.isEmpty() || stack.pop() != '{'){
                                return false;
                            } 
                            break;
                        default :
                            break;
                    }
                }
            }
            
            return stack.size() == 0;
            
        }
    }
  • 相关阅读:
    JS的(new Date()).toLocaleString,系统设置为24小时,仍然显示为12小时。
    js中获取时间new date()的用法
    Warning: require(): open_basedir restriction in effect. 宝塔错误
    未定义数组下标: 0
    layui 弹层组件文档
    TP5模版中的运算符
    tp5倒计时还有几天几时几分
    【原创】tp5软件过期提醒
    a标签的title属性 换行
    电子签章盖章之jQuery插件jquery.zsign
  • 原文地址:https://www.cnblogs.com/iwangzheng/p/5695811.html
Copyright © 2011-2022 走看看