任务详情
根据栈的结构特点,结合已提供的stack(堆栈)类代码,完成以下括号左右匹配检查的实现。
任务要求
有效括号字符串需满足:
1. 左括号(含英文大括号和英文小括号两种)必须用相同类型的右括号闭合
2. 左括号必须以正确的顺序闭合
3. 注意空字符串可被认为是有效字符串
4. 本任务考察栈的知识,请不要使用列表(list)的属性和功能
5. 返回数据类型为布尔类型(bool)
6. 所匹配的字符串包含如下:{} [] () <>,均为英文字符
测试用例
输入:‘((()))’
输出:True
输入:‘({())’
输出:False
#include <iostream>
#include <algorithm>
#include <stack>
#include <unordered_map>
using namespace std;
bool cmp_str(string s)
{
stack<char> st;
unordered_map<char,char> ma_br = {
{')','('},{']','['},{'}','{'},{'>','<'}
};
for(char c:s)
{
if(c=='(' || c=='[' || c=='{' || c=='<')
{
st.push(c);
} else if(c==')' || c==']' || c=='}' || c=='>')
{
if(st.empty() || ma_br[c]!=st.top())
{
return false;
}
st.pop();
}
}
return st.empty();
}
int main()
{
while(1)
{
string x;
getline(cin,x);
if(cmp_str(x))
{
cout<<"true"<<endl;
} else {
cout<<"false"<<endl;
}
}
return 0;
}