KMP

KMP(Knuth-Morris-Pratt)算法是一种改良的字符串匹配算法,在朴素算法的基础上增加了“记忆”功能,在匹配失败时会考虑已匹配的字符串从而进行跳步以缩减时间复杂度至$O(n+m)$。
T:文本串
P:模式串
f[i]:P的前i长度(0 ~ i-1)子串中前后相等的最大长度

int f[100];
void getFail(string P) {
    int m = P.length();
    for(int i = 1; i < m; i++) {
        int j = f[i];
        while(j && P[i] != P[j]) j = f[j];
        f[i + 1] = P[i] == P[j] ? j + 1 : 0;
    }
}

void find(string T, string P) {
    int n = T.length(), m = P.length();
    getFail(P);
    int j = 0;
    for(int i = 0; i < n; i++) {
        while(j && T[i] != P[j]) j = f[j];
        if(T[i] == P[j]) j++;
        if(j == m) cout << i - m + 1 << endl;
    }
}

你可能感兴趣的:(KMP)