20.有效的括号

2019-06-23  本文已影响0人  衣锦昼行

题目:给定一个只包括 '(',')','{','}','[',']' 的字符串,判断字符串是否有效。
有效字符串需满足:
左括号必须用相同类型的右括号闭合。
左括号必须以正确的顺序闭合。
注意空字符串可被认为是有效字符串。
解题思路:即括号匹配,括号一定要是一一对应的,所以首先字符串长度一定是偶数个。
那么一旦出现第一个右括号,它左边的那个括号一定是与它匹配的,以此类推,所以就能想到用栈的方法。
就是判断多了点,每个小细节都要想到。

public boolean isValid(String s) {
        Stack<Character> str = new Stack<>();
        int i = 0;
        if (s.length() == 1)
            return false;
        if (s.charAt(0) == ')' || s.charAt(0) == ']' || s.charAt(0) == '}'||s.length()%2)
            return false;
        while (i < s.length()) {
            if (s.charAt(i) == '(') {
                str.push('(');
                i++;
                continue;
            } else if (s.charAt(i) == '[') {
                str.push('[');
                i++;
                continue;
            } else if (s.charAt(i) == '{') {
                str.push('{');
                i++;
                continue;
            }
            if (s.charAt(i) == ']') {
                if (str.peek().equals('[')) {
                    str.pop();
                    i++;
                    continue;
                } else
                    return false;
            } else if (s.charAt(i) == ')') {
                if (str.peek().equals('(')) {
                    str.pop();
                    i++;
                    continue;
                } else
                    return false;
            } else if (s.charAt(i) == '}') {
                if (str.peek().equals('{')) {
                    str.pop();
                    i++;
                    continue;
                } else
                    return false;
            }
        }
        if (str.empty())
            return true;
        else
            return false;
    }

时间复杂度:O(n),因为我们一次只遍历给定的字符串中的一个字符并在栈上进行 O(1)O(1) 的推入和弹出操作。
空间复杂度:O(n),当我们将所有的开括号都推到栈上时以及在最糟糕的情况下,我们最终要把所有括号推到栈上。
当然我们可以对其进行简化,可以想到HashMap的键值配对的特性,可以简化代码复杂度。

class Solution {
  private HashMap<Character, Character> mappings;
  public Solution() {
    this.mappings = new HashMap<Character, Character>();
    this.mappings.put(')', '(');
    this.mappings.put('}', '{');
    this.mappings.put(']', '[');
  }
  public boolean isValid(String s) {
    Stack<Character> stack = new Stack<Character>();
    for (int i = 0; i < s.length(); i++) {
      char c = s.charAt(i);
      if (this.mappings.containsKey(c)) {
        char topElement = stack.empty() 
        if (topElement != this.mappings.get(c)) {
          return false;
        }
      } else {
        stack.push(c);
      }
    }
    return stack.isEmpty();
  }
}

同样的
时间复杂度:O(n),因为我们一次只遍历给定的字符串中的一个字符并在栈上进行 O(1)O(1) 的推入和弹出操作。
空间复杂度:O(n),当我们将所有的开括号都推到栈上时以及在最糟糕的情况下,我们最终要把所有括号推到栈上。

上一篇下一篇

猜你喜欢

热点阅读