Leetcode刷题:20.有效的括号
作者:互联网
题目描述
给定一个只包括 ‘(’,’)’,’{’,’}’,’[’,’]’ 的字符串,判断字符串是否有效。
有效字符串需满足:
- 左括号必须用相同类型的右括号闭合。
- 左括号必须以正确的顺序闭合。
Note:
注意空字符串可被认为是有效字符串。
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
思路分析:
- 如果是左括号,就加入到新列表。
- 否则(即为右括号)判断新列表是否为空,若为空,则没有和此右括号配对的,故返回false。
- 如果新列表不为空,判断新列表最后一个是否为对应的左括号,不匹配则返回false。匹配则在新列表中删除该左括号。
- 最终新列表为空满足条件,不为空则返回false.
小白第一次刷leetcode,网上查找很多资料,参考别人的代码,刷leetcode第一遍目标是搞懂别人代码。再慢慢转化为自己的。
代码
class Solution:
def isValid(self, s):
"""
:type s: str
:rtype: bool
"""
stack = list()
match = {'{':'}', '[':']', '(':')'}
for i in s:
if i == '{' or i == '(' or i == '[':
stack.append(i)
else:
if len(stack) == 0:
return False
top = stack.pop()
if match[top] != i:
return False
if len(stack) != 0:
return False
return True
别人的代码:
class Solution(object):
def isValid(self, s):
kuohao = {')':'(', ']':'[', '}':'{'}
newl = [None]
for i in s:
if i in kuohao and kuohao[i] == newl[-1]:
newl.pop()
else:
newl.append(i)
return len(newl)==1
标签:return,newl,20,括号,output,input,Leetcode,Example,刷题 来源: https://blog.csdn.net/wangtingwei1234/article/details/87969904