【面试题】KMP算法实现

what!?

KMP算法是干嘛的?

我们可能都知道朴素算法,主要是解决两个字符串的匹配问题,其实KMP算法可以说和朴素算法是师出同门,为什么这么讲呢?首先我们对比一下两个的代码,大家就知道怎么回事了。

朴素算法

int BF(const char *str1, const char *str2, int pos) //朴素算法时间复杂度O(n*m)
{
    if(pos < 0)
    {
        return -1;
    }
    int lenstr1 = strlen(str1);
    int lenstr2 = strlen(str2);
    int i = pos;
    int j = 0;
 
    while(i < lenstr1 && j < lenstr2)
    {
        if(str1[i] == str2[j])
        {
            i++;
            j++;
        }
        else //失配
        {
            i = i - j + 1; //主串str1退到i原来的位置的下一个
            j = 0;  //str2退回到起点
        }
    }
 
    if(j >= lenstr2)//匹配到子串
    {
        return i - j;
    }
    else
    {
        return -1;
    }
}

KMP算法

int GetNext(const char*str,int* next,int n) 
{ 
    next[0]=-1; int k=-1;//前缀最后一个字符,也就是next[k] 
    int j=0;//失配字符的前一个字符 
    while(j

KMP算法总结一下:

    首先,当前失配的前一位( str[j-1] )如果等于next[j-1],那么将next[j-1]+1就是下一位next数组的值,如果不相等,判断next[next[j-1]]是否和失配的前一位相等,依次循环比较,直到等于-1结束循环。

你可能感兴趣的:(【面试题】)