已知一个字符串,比如asderwsde,寻找其中的一个子字符串比如sde 的个数,如果没有返回0,有的话返回子字符串的个数。
KMP算法即可解决。
#include <stdio.h>
#include <string.h>
int next[15];
void makenext(char *b, int n)
{
int i = 0;
next[i] = -1;
int j = -1;
while(i<n)
{
if(j == -1 || b[i] == b[j])
{
++i;
++j;
if(b[i] != b[j])
next[i] = j;
else
next[i] = next[j];
}
else
j = next[j];
}
}
int kmp(char *a, char *b)
{
int len_a = strlen(a);
int len_b = strlen(b);
int count = 0;
makenext(b,len_b);
int i = 0,j=0;
while(i<len_a)
{
if(j == -1 || a[i] == b[j])
{
++i;
++j;
}
else if(a[i]!=b[j])
{
j = next[j];
}
if(j>=len_b)
{
j=0;
count++;
}
}
return count;
}
int main()
{
char a[30];
char b[15];
printf("输入字符串:");
scanf("%s",a);
printf("输入子串:");
scanf("%s",b);
printf("子串在原字符串中的个数为:%d\n",kmp(a,b));
return 0;
}