题目:
有效的括号:给定一个只包括 '(',')','{','}','[',']' 的字符串,判断字符串是否有效。 有效字符串需满足: 左括号必须用相同类型的右括号闭合。 左括号必须以正确的顺序闭合。 注意空字符串可被认为是有效字符串。
思路:
之前做过,使用字典和栈来实现。
程序:
class Solution:
def isValid(self, s: str) -> bool:
if not s:
return True
length = len(s)
if length == 1:
return False
auxiliary1 = ['(', '{', '[']
auxiliary2 = [')', '}', ']']
auxiliary3 = ['()', '{}', '[]']
myStack = []
for index in s:
if index in auxiliary1:
myStack.append(index)
elif index in auxiliary2:
if not myStack or myStack.pop() + index not in auxiliary3:
return False
if not myStack:
return True
return False