做这道题的目的为了联系一下Manacher,也会专门再写一篇Manacher的专题
题目描述
据说如果你给无限只母牛和无限台巨型便携式电脑(有非常大的键盘),那么母牛们会制造出世上最棒的回文。你的工作就是去寻找这些牛制造的奇观(最棒的回文)。
在寻找回文时不用理睬那些标点符号、空格(但应该保留下来以便做为答案输出),只用考虑字母’A’-‘Z’和’a’-‘z’。要你寻找的最长的回文的文章是一个不超过20,000个字符的字符串。我们将保证最长的回文不会超过2,000个字符(在除去标点符号、空格之前)。
输入输出格式
输入格式:
输入文件不会超过20,000字符。这个文件可能一行或多行,但是每行都不超过80个字符(不包括最后的换行符)。
输出格式:
输出的第一行应该包括找到的最长的回文的长度。
下一行或几行应该包括这个回文的原文(没有除去标点符号、空格),把这个回文输出到一行或多行(如果回文中包括换行符)。
如果有多个回文长度都等于最大值,输出最前面出现的那一个。
输入输出样例
输入样例#1:\
Confucius say: Madam, I’m Adam.
\
输出样例#1:\
11
Madam, I’m Adam
说明
题目翻译来自NOCOW。\
USACO Training Section 1.3
题解
这道题可能是Manacher的模板题吧,我总觉得马拉车这个名字很蠢….以前还真的是以为和马有关系,知道真相的我…..
代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68
| #include <iostream> #include <cstdio> #include <cstring> #include <cmath> using namespace std; char ch[30010],c[50010]; int p[50010],trs[50010],ans=-1,Left,Right,cnt,cht,tmp=-1; void check(int pos){ if(p[pos]>tmp) { tmp=p[pos]; ans=p[pos]-1; Left=pos-p[pos]+1,Right=pos+p[pos]-1; if(c[Left]=='#')Left++,Right--; } } void Manacher(){ int MaxRight=0,pos=0; for(int i=1;i<=cnt;i++){ int j=2*pos-i; if(i<MaxRight){ p[i]=min(MaxRight-i+1,p[j]); check(i); } else{ int ll=i,rr=i; while(ll-1>=0&&rr+1<=cnt+1) { if(c[ll]==c[rr]){ ll--;rr++;p[i]++; } else break; } check(i); pos=i,MaxRight=p[i]+pos-1; } } } int main() { #ifdef YSW freopen("in.txt","r",stdin); #endif char cc; c[cnt]='$';c[++cnt]='#'; while((cc=getchar())!=EOF) { ch[++cht]=cc; if(ch[cht]>='a'&&ch[cht]<='z') c[++cnt]=ch[cht],trs[cnt]=cht,c[++cnt]='#';; if(ch[cht]>='A'&&ch[cht]<='Z') c[++cnt]=ch[cht]-'A'+'a',trs[cnt]=cht,c[++cnt]='#'; } Manacher(); int l=trs[Left],r=trs[Right]; printf("%d\n",ans); for(int i=l;i<=r;i++) printf("%c",ch[i]); return 0; }
|