kmp代码实现

/*
kmp彻底理解 
next 数组 :用来指导S【i】串 T【j】串 对应字符失配 
指导 i 不回溯,即j应该走多少个位置 
next[j]:j位置前一个元素 需要 
计算某个字符对应的next值,就是看这个j对应字符之前的字符串中有多大长度的相同前缀后缀

 
*/
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void get_Next(char *pattern,int next[])
{
	/*
	j前缀 i后缀 
	*/
	int j = -1;
	int i = 0;
	int m = strlen(pattern);
	next[0] = -1;
	
	while(i < m - 1)
	{
		//pattern[j]表示前缀,pattern[i]表示后缀  
		if(j == -1||pattern[j] == pattern[i])
		{
			i++;
			j++;
			if(pattern[j] != pattern[i])
			{
				next[i] = j;				
			}
			else
			{
				next[i] = next[j];		
			}
					
		}
		else
		{
			//一旦失配  前缀 回到上次匹配的位置 
			j = next[j];
		}
		
	}	
}

int KmpSearch(char* s, char* p)  
{  
    int i = 0;  
    int j = 0;  
    int sLen = strlen(s);  
    int pLen = strlen(p); 
	int next[10]; 
	
	get_Next(p,next);
    while (i < sLen && j < pLen)  
    {  
        //①如果j = -1,或者当前字符匹配成功(即S[i] == P[j]),都令i++,j++      
        if (j == -1 || s[i] == p[j])  
        {  
            i++;  
            j++;  
        }  
        else  
        {  
            //②如果j != -1,且当前字符匹配失败(即S[i] != P[j]),则令 i 不变,j = next[j]      
            //next[j]即为j所对应的next值        
            j = next[j];  
        }  
    }  
    if (j == pLen)  
        return i - j;  
    else  
        return -1;  
} 



int main(void)
{
	char text[] = "ABC ABCDAB ABCDABCDABDE";
	char pattern[] = "ABCDABD";
	char *ch = text;
	int i = KmpSearch(text, pattern);
	
	if(i >= 0) printf("matched@: %s\n", ch + i); 
	printf("pos is %d\n",i);
	
	return 0;
}

    原文作者:KMP算法
    原文地址: https://blog.csdn.net/sz457763638/article/details/42318969
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞