英文原文
Given a string s
containing just the characters '('
, ')'
, '{'
, '}'
, '['
and ']'
, determine if the input string is valid.
An input string is valid if:
- Open brackets must be closed by the same type of brackets.
- Open brackets must be closed in the correct order.
Example 1:
Input: s = "()" Output: true
Example 2:
Input: s = "()[]{}" Output: true
Example 3:
Input: s = "(]" Output: false
Example 4:
Input: s = "([)]" Output: false
Example 5:
Input: s = "{[]}" Output: true
Constraints:
1 <= s.length <= 104
s
consists of parentheses only'()[]{}'
.
中文题目
给定一个只包括 '('
,')'
,'{'
,'}'
,'['
,']'
的字符串 s
,判断字符串是否有效。
有效字符串需满足:
- 左括号必须用相同类型的右括号闭合。
- 左括号必须以正确的顺序闭合。
示例 1:
输入:s = "()" 输出:true
示例 2:
输入:s = "()[]{}" 输出:true
示例 3:
输入:s = "(]" 输出:false
示例 4:
输入:s = "([)]" 输出:false
示例 5:
输入:s = "{[]}" 输出:true
提示:
1 <= s.length <= 104
s
仅由括号'()[]{}'
组成
通过代码
高赞题解
解题思路:
算法原理
- 栈先入后出特点恰好与本题括号排序特点一致,即若遇到左括号入栈,遇到右括号时将对应栈顶左括号出栈,则遍历完所有括号后
stack
仍然为空; - 建立哈希表
dic
构建左右括号对应关系:$key$ 左括号,$value$ 右括号;这样查询 $2$ 个括号是否对应只需 $O(1)$ 时间复杂度;建立栈stack
,遍历字符串s
并按照算法流程一一判断。
- 栈先入后出特点恰好与本题括号排序特点一致,即若遇到左括号入栈,遇到右括号时将对应栈顶左括号出栈,则遍历完所有括号后
算法流程
- 如果
c
是左括号,则入栈 $push$; - 否则通过哈希表判断括号对应关系,若
stack
栈顶出栈括号stack.pop()
与当前遍历括号c
不对应,则提前返回 $false$。
- 如果
提前返回 $false$
- 提前返回优点: 在迭代过程中,提前发现不符合的括号并且返回,提升算法效率。
- 解决边界问题:
- 栈
stack
为空: 此时stack.pop()
操作会报错;因此,我们采用一个取巧方法,给stack
赋初值 $?$ ,并在哈希表dic
中建立 $key: ‘?’,value:’?’$ 的对应关系予以配合。此时当stack
为空且c
为右括号时,可以正常提前返回 $false$; - 字符串
s
以左括号结尾: 此情况下可以正常遍历完整个s
,但stack
中遗留未出栈的左括号;因此,最后需返回len(stack) == 1
,以判断是否是有效的括号组合。
- 栈
复杂度分析
- 时间复杂度 $O(N)$:正确的括号组合需要遍历 $1$ 遍
s
; - 空间复杂度 $O(N)$:哈希表和栈使用线性的空间大小。
- 时间复杂度 $O(N)$:正确的括号组合需要遍历 $1$ 遍
<,,,,,>
代码:
class Solution:
def isValid(self, s: str) -> bool:
dic = {'{': '}', '[': ']', '(': ')', '?': '?'}
stack = ['?']
for c in s:
if c in dic: stack.append(c)
elif dic[stack.pop()] != c: return False
return len(stack) == 1
class Solution {
private static final Map<Character,Character> map = new HashMap<Character,Character>(){{
put('{','}'); put('[',']'); put('(',')'); put('?','?');
}};
public boolean isValid(String s) {
if(s.length() > 0 && !map.containsKey(s.charAt(0))) return false;
LinkedList<Character> stack = new LinkedList<Character>() {{ add('?'); }};
for(Character c : s.toCharArray()){
if(map.containsKey(c)) stack.addLast(c);
else if(map.get(stack.removeLast()) != c) return false;
}
return stack.size() == 1;
}
}
统计信息
通过次数 | 提交次数 | AC比率 |
---|---|---|
851813 | 1912783 | 44.5% |
提交历史
提交时间 | 提交结果 | 执行时间 | 内存消耗 | 语言 |
---|
相似题目
题目 | 难度 |
---|---|
括号生成 | 中等 |
最长有效括号 | 困难 |
删除无效的括号 | 困难 |
检查替换后的词是否有效 | 中等 |