題目:
有效的括號:給定一個只包括 '(',')','{','}','[',']' 的字符串,判斷字符串是否有效。 有效字符串需滿足: 左括號必須用相同類型的右括號閉合。 左括號必須以正確的順序閉合。 注意空字符串可被認為是有效字符串。
思路:
之前做過,使用字典和棧來實現。
程序:
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
