hdu 1686 KMP

http://acm.hdu.edu.cn/showproblem.php?pid=1686

这道题目要分清楚第一个是模式串,第二个才是正文。当模式匹配成功时并不停止,直到正文匹配完才停止。

题目大意:每次给出两个字符串,统计第一个串在第二个串中出现的次数。

#include<iostream>
#include<stdio.h>
#include<string.h>
#include<stdlib.h>
#include<algorithm>
using namespace std;
char p[10005],s[1000005];
int next[10005];
void getnext()
{
	int len=strlen(p);
	int i,j;
	next[0]=-1;
	for(i=0,j=-1;i<len;){
		if(j==-1 || p[i]==p[j]){
			i++;
			j++;
			next[i]=j;
		}
		else
			j=next[j];
	}
}
int KMP()
{
	int len1=strlen(p);
	int len2=strlen(s);
	int i,j,cnt=0;
	for(i=0,j=0;i<len2;){
		if(j==-1 || s[i]==p[j]){
			i++;
			j++;
			if(j==len1){ //当模式串匹配成功时
				cnt++;
				j=next[j];
			}
		}
		else
			j=next[j];
	}
	return cnt;
}
int main()
{
	int T;
	scanf("%d",&T);
	getchar();
	while(T--){
		gets(p);
		gets(s);
		getnext();
		printf("%d\n",KMP());
	}
	return 0;
}


你可能感兴趣的:(数据结构,c,算法,KMP,ACM)