描述
我们知道,在逻辑表达式中广泛使用了括号,而括号都是层次化成对出现的。也就是任意左括号都应该存在一个在同一逻辑层级的右括号作为对应。 现在我们有一些仅由括号组成的字符串序列,保证每个字符为大括号”{”,”}”、中括号”[”,”]”和小括号”(”,”)”中的一种。 需要判断给定的的序列是否合法。
输入
一行仅由括号组成的字符串
输出
如果序列合法输出 1,否则输出 0
输入样例
[()] ({[])} [()]{}
输出样例
1 0 1
小提示
栈的典型应用
AC代码:
#include <bits/stdc++.h> #include<vector> #include<stack> using namespace std; int main() { string s; while(cin>>s) { stack<char>a; bool flag = false; for(int i = 0; i<s.length(); i++) { if(s[i]=='[' || s[i]=='(' || s[i]=='{') { a.push(s[i]); } else if(s[i]==']' ) { if(!a.empty() &&a.top()=='[') { a.pop(); } else { a.push(s[i]); } } else if(s[i]==')' ) { if(!a.empty() &&a.top()=='(') { a.pop(); } else { a.push(s[i]); } } else if(s[i]=='}' ) { if(!a.empty() &&a.top()=='{') { a.pop(); } else { a.push(s[i]); } } } if(a.empty()) { cout<<"1"<<endl; } else cout<<"0"<<endl; } }