参考博客:Manacher算法--O(n)回文子串算法 - xuanflyer - 博客频道 - CSDN.NET
从队友那里听来的一个算法,O(N)求得每个中心延伸的回文长度。这个算法好像比较偏门,不过还是稍微掌握一下会比较好。
其实,我的理解就是,记录当前知道找到的最长的回文串的中心以及向右延伸后的最右端点位置。然后其中找最长回文串的操作其实还是暴力的,只不过这样记录两个位置以及覆盖了区间以后,下次我们要找的最长回文串的时候就可以借助这个已知信息减少大量的冗余查找。至于怎么证明这个剪枝可以使算法达到O(N)的复杂度,还是找资料比较好。
用hdu 3068这题测试,340ms通过:
#include <cstdio>
#include <cstring>
#include <iostream>
#include <algorithm>
#include <ctime> using namespace std; const int N = ;
char str[N], nstr[N << ];
int p[N << ]; int manacher(char *s) {
int id = , lf = , len = strlen(s), mx = ;
p[] = ;
for (int i = ; i < len; i++) {
if (lf > i) p[i] = min(p[(id << ) - i], lf - i);
else p[i] = ;
while (s[i + p[i]] && s[i + p[i]] == s[i - p[i]]) p[i]++;
if (lf < i + p[i] - ) lf = i + p[i] - , id = i;
mx = max(p[i], mx);
}
return mx - ;
} int main() {
while (~scanf("%s", str)) {
char *p = str, *q = nstr;
while (true) {
*(q++) = '~', *(q++) = *p;
if (!*p) break;
p++;
}
//cout << nstr << endl;
cout << manacher(nstr) << endl;
}
return ;
}
——written by Lyon