题目描述
给定一个串,如ABCDAB,则 ABCDAB的真前缀有:{ A, AB,ABC, ABCD, ABCDA } ABCDAB的真后缀有:{ B, AB,DAB, CDAB, BCDAB } 因此,该串的真前缀和真后缀中最长的相等串为AB,我们称之为该串的“最长的真前后缀”。 试实现一个函数string matched_Prefix_Postfix(string str),得到输入串str的最长的真前后缀。若不存在最长的真前后缀则输出empty
输入
第1行:串的个数 n 第2行到第n+1行:n个字符串
输出
n个最长的真前后缀,若不存在最长的真前后缀则输出empty。
输入样例
6
a
ab
abc
abcd
abcda
abcdab
empty
empty
empty
empty
a
ab
实现代码
#include<iostream>
#include<stack>
#include<cstring>
using namespace std;
string matched_Prefix_Porstfix(string str) {
stack<char>re;
int i,j,k;
int len = str.length();
int *tag = new int [len];
for (i = 1; i < len; i++) {
int l = i;
tag[i] = 1;
int Len = len;
while (l--)
{
re.push(str[Len - 1]);
Len--;
}
while (!re.empty())
{
for (j = 0; j < i; j++) {
if (re.top() == str[j]) {
re.pop();
}
else
{
tag[i] = 0;
re.pop();
}
}
}
}
int maxlen=0;
for (k = 1; k < len; k++) {
if (tag[k]) maxlen = k;
}
if (!maxlen) return "empty";
else return str.substr(0, maxlen);
}
int main() {
int t;
cin >> t;
while (t--) {
string a;
cin >> a;
cout << matched_Prefix_Porstfix(a) << endl;
}
return 0;
}