Given a string containing just the characters ‘(‘
, ‘)‘
, ‘{‘
, ‘}‘
, ‘[‘
and ‘]‘
, determine if the input string is valid.
An input string is valid if:
- Open brackets must be closed by the same type of brackets.
- 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
这个题目就用stack, 不能用count了, 因为{[}]是invalid, 但是count没法判断. 那么为了elegant, 建一个hash table, d = {‘]‘:‘[‘, ‘}‘:‘{‘, ‘)‘:‘(‘}, 如果在d里面, 就通过判断stack是否为空和stack.pop() 是否跟d[c] 相等,
如果在d.values()里面, 就append进入stack.
Code: T: O(n) S; O(n)
class Solution: def validParenthesis(self, s): stack, d = [], {‘]‘:‘[‘, ‘}‘:‘{‘, ‘)‘:‘(‘} for c in s: if c in d and (not stack or stack.pop() != d[c]): return False elif c in d.values(): stack.append(c) return not stack
原文地址:https://www.cnblogs.com/Johnsonxiong/p/9532619.html
时间: 2024-10-03 20:47:54