字符串 匹配 KMP算法

/***************************************************
*  函数功能:字符串 匹配
*  参数说明
*       输入参数:  string str  = “abcabcababaccc”;
                    string match = “ababa”;
*       输出参数:6
*  复杂性分析:时间复杂度:O(N),空间复杂度:O(N)
*  题目来源  :
*  作者:guoliang zheng
*  日期:2018-08-17-14.45
***************************************************/
int KMP::getIndexOf(string str,string match)
{
    if(str.size()<1 || match.size()<1 || str.size()<match.size()) return -1;
    int lenstr=str.size();
    int lenmat=match.size();
    vector<int> next=getNextArray(match);
    int si=0;
    int mi=0;
    while(si<str.size() && mi<match.size())
    {
        if(str[si]==match[mi])
        {
            si++;
            mi++;
        }else if(next[mi]==-1)
        {
            si++;
        }else
        {
            mi=next[mi];
        }
    }
    return mi==match.size()?si-mi:-1;
}

vector<int> KMP::getNextArray(string match)
{
    if(match.size()==1)
    {
        vector<int> Next(1,-1);
        return Next;
    }
    int len=match.size();
    vector<int> Next(len,0);
    Next[0]=-1;
    Next[1]=0;
    int cn=0;
    int pos=2;
    while(pos<len)
    {
        if(match[pos-1]==match[cn])
        {
            Next[pos++]=++cn;
        }else if(cn>0)
        {
            cn=Next[cn];
        }else
        {
            Next[pos++]=0;
        }
    }
    return Next;
}

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