数据结构学习笔记之字符串

1 字符串的暴力模式匹配

int patternMatching (char *tempStr , char *subStr, int tempLen, int subLen) {
    //tempLen 和 subLen 传入时要传入 strlen(tempStr) - 1,因为 C 字符数组的最后一位总是 '\0'
    //如果直接使用 strlen(tempStr),本来是和 'abc'匹配,现在变成了和 'abc\0' 匹配,从而导致匹配失败
    int i = 0 , j = 0;
    while (i < tempLen && j < subLen){
        if (tempStr[i] == subStr[j]){   //当前匹配成功,继续匹配
            i++;
            j++;
        }else{  //指针后退重新开始匹配
            i = i - j + 1;
            j = 0;
        }
    }
    if (j == subLen)
        return i - j;
    else
        return -1;
}

2 字符串的 KMP 模式匹配

///tempLen 和 subLen 传入与上方一样,仍旧 strlen(tempStr) - 1
void getNextVal(char *subStr, int subLen, int *nextVal){
    int i = 0, j = nextVal[0] = -1;
    while (i < subLen){
        while (j > -1 && subStr[i] != subStr[j])
            j = nextVal[j];
        i++;
        j++;
        if (subStr[i] == subStr[j])
            nextVal[i] = nextVal[j];
        else
            nextVal[i] = j;
    }
}

int KMP(char *tempStr, int tempLen, char *subStr, int subLen){
    int i = 0, j = 0, nextVal[subLen];
    getNextVal(subStr, subLen, nextVal);
    while (j < tempLen) {
        while (i > -1 && subStr[i] != tempStr[j])
            i = nextVal[i];
        i++;
        j++;
        if (i == subLen)
            return j - i;
    }
    return -1;
}
posted @ 2021-11-12 10:58  悟道九霄  阅读(42)  评论(0编辑  收藏  举报