題目大意:給定一個字符串(1-200000),求出其所有前綴在自身中匹配成功的次數之和(模10007)
解題思路:利用next數組的特性,next[pos]在主串指針在pos位置失配時,子串指針應該調整到next[pos]與pos進行比較,這意味著0-(next[pos]-1)的字符串應該和(pos-next[pos])-(pos-1)字符串相同,而0-(next[pos]-1)的字符串正好是該字符串的前綴,解法就很自然了,在獲得字符串0-N的next值,枚舉i屬於[1,N],記錄pos = i, 如果pos > 0 , 累加答案,pos = next[pos],否則累加i的值。
代碼:
[cpp]
#include<iostream>
using namespace std;
const int MAXN = 222222,MOD = 10007;
char s[MAXN];
int T,N,next[MAXN];
void makenext(){
int i = 0,j = -1;
next[0] = -1;
while(i<=N){
if(s[i]==s[j]||j==-1)next[++i] = ++j;
else j = next[j];
}
}
int solve(){
int sum = 0,pos;
for(int i=1;i<=N;i++){
pos = i;
while(pos){
sum = (sum+1)%MOD;
pos = next[pos];
}
}
return sum; www.2cto.com
}
int main(){
scanf("%d",&T);
while(T--){
scanf("%d",&N);
scanf("%s",s);
makenext();
printf("%d\n",solve());
}
return 0;
}
作者:Airarts_