给定一个只包括 '('
,')'
,'{'
,'}'
,'['
,']'
的字符串,判断字符串是否有效。
有效字符串需满足:
- 左括号必须用相同类型的右括号闭合。
- 左括号必须以正确的顺序闭合。
注意空字符串可被认为是有效字符串。
示例 1:
输入: "()"
输出: true
示例 2:
输入: "()[]{}"
输出: true
示例 3:
输入: "(]"
输出: false
示例 4:
输入: "([)]"
输出: false
示例 5:
输入: "{[]}"
输出: true
个人建议: 一开始由于对于栈的理解不够深,想用字符串的方法写,避开使用数据结构的知识,发现需要不断的修改,很麻烦!!!
因此建议学好数据结构, 血泪教训!!! 真的!!
class Solution(object):
def isValid(self, s):
"""
:type s: str
:rtype: bool
"""
dicts = {'(': ')', '{': '}', '[': ']'}
stack = []
lists = list(s)
for item in lists:
if item in dicts.keys():
stack.append(item)
elif item in dicts.values():
if len(stack) == 0 or dicts.get(stack[-1]) != item:
return False
else:
stack.pop()
if len(stack) == 0:
return True
else:
return False
二刷Leetcode,采用的实现的方法:
方法一:
class Solution:
def isValid(self, s):
"""
:type s: str
:rtype: bool
"""
if len(s) == 0 :
return True
if len(s) == 1:
return False
if len(s) % 2 != 0:
return False
s = list(s)
length = len(s)
dic = {'(': ')', '[': ']', '{':'}'}
stack = []
for item in s:
if item in dic.keys():
stack.append(item)
elif item in dic.values():
if len(stack) == 0 or dic.get(stack[-1]) != item:
return False
else:
stack.pop()
if len(stack) == 0:
return True
else:
return False
方法二:
class Solution:
def isValid(self, s):
"""
:type s: str
:rtype: bool
"""
if len(s) == 0 :
return True
if len(s) == 1:
return False
if len(s) % 2 != 0:
return False
s = list(s)
length = len(s)
dic = {'(': ')', '[': ']', '{':'}'}
stack = []
for item in s:
if item in dic.keys():
stack.append(item)
if len(stack) == 0:
return False
else:
if dic.get(stack[-1]) == item:
stack.pop()
if len(stack) == 0:
return True
else:
return False