title: 每日一練(36):有效的括號
categories:[劍指offer]
tags:[每日一練]
date: 2022/03/15
每日一練(36):有效的括號
給定一個只包括 '(',')','{','}','[',']' 的字串 s ,判斷字串是否有效。
有效字串需滿足:
左括號必須用相同型別的右括號閉合。
左括號必須以正確的順序閉合。
示例 1:
輸入:s = "()"
輸出:true
示例 2:
輸入:s = "()[]{}"
輸出:true
示例 3:
輸入:s = "(]"
輸出:false
示例 4:
輸入:s = "([)]"
輸出:false
示例 5:
輸入:s = "{[]}"
輸出:true
提示:
1 <= s.length <= 104
s 僅由括號 '()[]{}' 組成
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/probl...
方法一:棧+雜湊表
思路分析
- 有效括號字串的長度,一定是偶數!
- 右括號前面,必須是相對應的左括號,才能抵消!
- 右括號前面,不是對應的左括號,那麼該字串,一定不是有效的括號!
bool isValid(string s) {
if (s.size() % 2) {
return false;
}
unordered_map<char, char> pairs = {
{')', '('},
{']', '['},
{'}', '{'}
};
stack<char> stk;
for (char ch : s) {
if (pairs.count(ch)) {
if (stk.empty() || stk.top() != pairs[ch]) {
return false;
}
stk.pop();
} else {
stk.push(ch);
}
}
return stk.empty();
}
方法二:棧
bool isValid(string s) {
if (s.size() % 2) {
return false;
}
stack<char> st;
for (auto ss : s) {
if (ss == '(') {
st.push(')');
} else if (ss == '[') {
st.push(']');
} else if (ss == '{') {
st.push('}');
} else {
if (st.empty() || st.top() != ss) {
return false;
} else {
st.pop();
}
}
}
return st.empty();
}