还是KMP,只不过这次要返回的不是第一个出现位置,而是出现了多少次,原理相同,只是找到了之后不再返回,继续找。不过有一点要注意,word在text中可能重叠,所以当找到了一个字符串的时候,下一次再找,并不是从当前的text的位置开始和word的第一个字符进行比较!
代码:
#include <cstdio>
#include <cstring>
const int N = 1000001;
const int M = 10001;
int t;
char W[M], T[N];
int next[M], wl, tl;
void getNext()
{
int j = 0, k = -1;
next[0] = -1;
while ( j < wl ) {
if ( k == -1 || W[j] == W[k] ) next[++j] = ++k;
else k = next[k];
}
}
int KMP()
{
int i = 0, j = 0;
int ans = 0;
if ( wl == 1 && tl == 1 )
if ( W[0] == T[0] ) return 1;
else return 0;
getNext();
for ( i = 0; i < tl; ++i ) {
while ( j > 0 && W[j] != T[i] )
j = next[j];
if ( W[j] == T[i] )
j++;
if ( j == wl ) {
ans++;
j = next[j];
}
}
return ans;
}
int main()
{
scanf("%d", &t);
while ( t-- ) {
getchar();
scanf("%s", W);
scanf("%s", T);
//printf("%s %s\n", W, T);
wl = strlen(W);
tl = strlen(T);
printf("%d\n", KMP());
}
}