20. 有效的括号
给定一个只包括 ‘(’,’)’,’{’,’}’,’[’,’]’ 的字符串,判断字符串是否有效。
有效字符串需满足:
- 左括号必须用相同类型的右括号闭合。
- 左括号必须以正确的顺序闭合。
Example
Note
注意空字符串可被认为是有效字符串。
思路
- 做题要先思考STL能不能方便~
- 很明显用栈来解决十分简便
- 遇到左括号就入栈,遇到右括号,出栈判断能够匹配
- 不能匹配,直接返回false
- 等字符匹配完成之后,判断栈是否为空
- 不为空,返回false,否则返回true
代码如下
class Solution:
def isValid(self, s: str) -> bool:
q = []
for ch in s:
if ch == '(' or ch == '{' or ch == '[':
q.append(ch)
elif not q:
return False
else:
x = q.pop()
if (ch == ')' and x != '(') or (ch == '}'and x != '{') or (ch == ']' and x != '['):
return False
if q:
return False
else:
return True