题目描述
考虑一种简单的正则表达式:
只由 x ( ) | 组成的正则表达式。
小明想求出这个正则表达式能接受的最长字符串的长度。
例如 ((xx|xxx)x|(x|xx))xx 能接受的最长字符串是: xxxxxx,长度是 6。
输入描述
一个由 x()| 组成的正则表达式。输入长度不超过 100,保证合法。
输出描述
这个正则表达式能接受的最长字符串的长度。
运行限制
最大运行时间:1s
最大运行内存: 256M
解题思路
两种不同思路:
1、使用BFS遍历
2、采用运算符栈
AC代码
#include <iostream>
#include <stack>
#include <string>
#include <math.h>
using namespace std;
int dfs(int &i, string &s)
{
int count = 0;
while (i < s.length())
{
if (s[i] == '(')
{
i++;
count += dfs(i, s);
i++;//与')'匹配后需要再i++,跳过')'。
}
else if (s[i] == '|')
{
i++;
count = max(count, dfs(i, s));
}
else if (s[i] == ')')
{
//i++;此处不能i++,否则break之后会多跳
break;
}
else
{
i++;
count++;
}
}
return count;
}
int main()
{
// 请在此输入您的代码
string s;
cin >> s;
stack<char> a;
int i = 0;
int ans = dfs(i,s);
cout << ans;
return 0;
}
/*
((xx|xxx)x|(x|xx))xx
*/