Leetcode.20.有效的括號
阿新 • • 發佈:2018-12-28
20.有效的括號
給定一個只包括 ‘(’,’)’,’{’,’}’,’[’,’]’ 的字串,判斷字串是否有效。
有效字串需滿足:
左括號必須用相同型別的右括號閉合。
左括號必須以正確的順序閉合。
注意空字串可被認為是有效字串。
示例 1:
輸入: "()"
輸出: true
示例 2:
輸入: "()[]{}"
輸出: true
示例 3:
輸入: "(]"
輸出: false
示例 4:
輸入: "([)]"
輸出: false
示例 5:
輸入: "{[]}"
輸出: true
class Solution:
def isValid(self, s):
"""
:type s: str
:rtype: bool
"""
def ispipei(right,left):
return abs(ord(right) - ord(left))<= 2
left = '[({'
stack = []
for i in s:
if i in left:
stack.append(i)
else :
if len(stack) == 0:
return False
else:
leftkou = stack.pop()
if not ispipei(i,leftkou):
return False
return len(stack) == 0
方法二
class Solution :
def isValid(self, s):
"""
:type s: str
:rtype: bool
"""
left = '([{'
right = ')]}'
S = []
for c in s:
if c in left:
S.append(c)
elif c in right:
if len(S) == 0:
return False
if right.index(c) != left.index(S.pop()):
return False
return not bool(len(S))