题目:
Given a string containing just the characters '(', ')', '{', '}', '[' and ']',
determine if the input string is valid.
The brackets must close in the correct order, "()" and "()[]{}" are
all valid but "(]" and "([)]" are
not.
思路:
栈的典型应用。定义一个存放字符的栈,然后遍历字符串。如果碰到左括弧则进栈,遇到右括弧则和栈顶元素匹配,如果匹配成功则弹栈,否则返回false。最后检查栈是否刚好为空。该算法时间复杂度为O(n),空间复杂度最多为O(n)(以所有字符都是由左括弧构成的情况为例)。
代码:
class Solution {
public:
bool isValid(string s) {
stack<char> st;
for(int i = 0; i < s.length(); ++i)
{
if(s[i] == '(' || s[i] == '[' || s[i] == '{')
{
st.push(s[i]);
}
else
{
if(st.empty())
return false;
if(s[i] == ')')
{
if(st.top() == '(') st.pop();
else return false;
}
else if(s[i] == ']')
{
if(st.top() == '[') st.pop();
else return false;
}
else
{
if(st.top() == '{') st.pop();
else return false;
}
}
}
return st.empty();
}
};
括号匹配验证
本文介绍了一种使用栈来判断括号是否正确配对的有效方法。通过遍历输入字符串,遇到左括号则压栈,遇到右括号时检查栈顶元素是否与其匹配,若匹配则出栈。最终检查栈是否为空确定括号是否全部正确闭合。
267

被折叠的 条评论
为什么被折叠?



