题目详情
给定一个只包括 ‘(’,‘)’,‘{’,‘}’,‘[’,‘]’ 的字符串 s ,判断字符串是否有效。
有效字符串需满足:
左括号必须用相同类型的右括号闭合。
左括号必须以正确的顺序闭合。
每个右括号都有一个对应的相同类型的左括号。
示例 1:
输入:s = “()”
输出:true
示例 2:
输入:s = “()[]{}”
输出:true
示例 3:
输入:s = “(]”
输出:false
提示:
1 <= s.length <= 104
s 仅由括号 ‘()[]{}’ 组成
解题思路
在java中,我们可以通过LinkedList集合模拟栈的进出,从而进行左右括号的匹配。
需要注意的是:1.括号个数为奇数的,必然无法全部匹配;2.以右括号开头的,必然无法全部匹配。以上两种结果可以直接判断false。
减少循环次数,如果在判断右括号的匹配前,LinkedList集合中已经没有元素了,可直接跳出循环。
复杂度
时间复杂度: O(n)
空间复杂度: O(n)
代码
class Solution {
public boolean isValid(String s) {
char[] chars = s.toCharArray();
LinkedList<Character> list = new LinkedList<>();
if (chars.length % 2 != 0)
return false;
if (chars[0] == ')' || chars[0] == ']' || chars[0] == '}')
return false;
// 在外面定义循环控制变量,是为了防止下标溢出
int i = 0;
int latest = -1;
while (i < chars.length) {
if (chars[i] == '(' || chars[i] == '[' || chars[i] == '{') {
list.add(chars[i]);
latest++;
}
if (latest < 0) {
return false;
} else if (chars[i] == ')') {
if (list.get(latest) != '(') {
return false;
}
list.remove(latest);
latest--;
} else if (chars[i] == ']') {
if (list.get(latest) != '[') {
return false;
}
list.remove(latest);
latest--;
} else if (chars[i] == '}') {
if (list.get(latest) != '{') {
return false;
}
list.remove(latest);
latest--;
}
i++;
}
if (list.size() == 0 && i == chars.length) {
return true;
} else {
return false;
}
}
}