KMP算法总结
算法背景:
计算机中时常需要查找一个字符串(假定为字符串t)又称为模式字符串在另一个字符串的出现的位置。比较容易想到的是设定两个指针,一个指向模式字符串,另一个指向主串,依次比较,如果另个字符相等,则两个指针同时向后移动,如果不等,将主串从初位置向后移动,模式串的指针重新设定指向模式串的头,重复上面动作,直到找到或者字符串结束。此方法易于理解,但分析其时间复杂度由于有两个for循环,时间复杂度为O(n^2),这种方法又叫暴力枚举法,那么,有没有更聪明的方法呢,答案是肯定的,这就是今天我们要介绍的KMP算法。
首先给出算法代码:
int kmp(char *s,char *t,int *next)
{
get_next(t,next);
int i = 0, j = 0;
int len1 = strlen(s);
int len2 = strlen(t);
while(i < len1&&j < len2){
if(j == -1||s[i] == t[j]){
++i;
++j; //KMP算法
}
else
j = next[j];
}
if(j == len2)
return i - j;
else
return -1;
}
求next数组代码如下
void get_next(char *p, int *next)
{
int i = 0;
int j = -1;
int next[0] = -1;
int len2 = strlen(p);
while(i < len2-1){
if(j == -1||p[i]== p[j])
next[++i] = ++j;
else
j = next[j];
}
}
代码优化如下:
void get_nextval(char *p, int *next)
{
int len2 = strlen(p);
int i = 0 ;
int j = -1;
next[0] = -1;
while(i < len2 - 1){
++i;
++j;
if(p[i] == p[j])
next[i] = next[j]; //优化
else
j = next[j];
}
}