CCF OJ 1113-括号匹配[栈]
时间: 2023-08-17 11:32:56 浏览: 137
这是一个栈的经典应用,可以通过栈来判断括号是否匹配。具体做法是遍历字符串,如果遇到左括号则入栈,如果遇到右括号,则判断栈顶元素是否为对应的左括号,如果是则出栈,否则返回false。最后判断栈是否为空,如果为空则说明括号匹配。以下是示例代码:
```cpp
#include <iostream>
#include <stack>
#include <string>
using namespace std;
bool isMatch(char left, char right) {
return (left == '(' && right == ')') || (left == '[' && right == ']') || (left == '{' && right == '}');
}
bool check(string s) {
stack<char> st;
for (char c : s) {
if (c == '(' || c == '[' || c == '{') {
st.push(c);
} else {
if (st.empty() || !isMatch(st.top(), c)) return false;
st.pop();
}
}
return st.empty();
}
int main() {
string s;
cin >> s;
if (check(s)) {
cout << "Yes" << endl;
} else {
cout << "No" << endl;
}
return 0;
}
```
以上代码中isMatch函数用于判断左右括号是否匹配,check函数用于检查字符串是否匹配。
阅读全文