回文子串的最大长度
技巧
在每两个字符中插入一个新的字符,可以不用判断字符串的奇偶,方便编程。
利用字符串哈希和二分求解
#include<iostream>
#include<cstring>
#include<algorithm>
using namespace std;
const int N = 2000010;
const int P = 131;
typedef unsigned long long Ull;
//h1正序,h2逆序
Ull h1[N],h2[N],p[N];
int n;
char s[N];
Ull get(Ull h[],int l,int r){
return h[r] - h[l - 1] * p[r - l + 1];
}
int main(){
int t = 1;
while(cin >> s + 1,strcmp(s + 1,"END")){
n = strlen(s + 1);
//将所有的字符串变成奇数串,方便计算
//做法是在两个字母中间插入一个符号
for(int i = n * 2;i > 0;i -= 2){
s[i] = s[i / 2];
s[i - 1] = 'z' + 1;
}
n *= 2;
//获取哈希值
p[0] = 1;
for(int i = 1,j = n;i <= n;i ++,j --){
h1[i] = h1[i - 1] * P + s[i] - 'a' + 1;
h2[i] = h2[i - 1] * P + s[j] - 'a' + 1;
p[i] = p[i - 1] * P;
}
int res = 0;
for(int i = 1;i <= n;i ++){
int l = 0,r = min(n - i,i - 1); //二分法求回文半径
while(l < r){
int mid = l + r + 1 >> 1;
if(get(h1,i - mid,i - 1) == get(h2,n - (i + mid) + 1,n - (i + 1) + 1)) l = mid;
else r = mid - 1;
}
//看回文串有无包含插入的符号
if(s[i - l] <= 'z') res = max(res,l + 1);
else res = max(res,l);
}
printf("Case %d: %d\n",t ++,res);
}
}