c语言实现 kpm算法
时间: 2023-07-24 11:50:04 浏览: 162
KMP算法是一种字符串匹配算法,可以在一个文本串中快速查找一个模式串的出现位置。以下是C语言实现:
```c
#include <stdio.h>
#include <string.h>
void getNext(char* p, int* next) {
int len = strlen(p);
int i = 0, j = -1;
next[0] = -1;
while (i < len) {
if (j == -1 || p[i] == p[j]) {
i++;
j++;
next[i] = j;
} else {
j = next[j];
}
}
}
int KMP(char* s, char* p, int* next) {
int slen = strlen(s);
int plen = strlen(p);
int i = 0, j = 0;
while (i < slen && j < plen) {
if (j == -1 || s[i] == p[j]) {
i++;
j++;
} else {
j = next[j];
}
}
if (j == plen) {
return i - j;
} else {
return -1;
}
}
int main() {
char s[] = "ababcabcacbab";
char p[] = "abcac";
int next[strlen(p)];
getNext(p, next);
int pos = KMP(s, p, next);
if (pos != -1) {
printf("The pattern is found in the position %d\n", pos);
} else {
printf("The pattern is not found!\n");
}
return 0;
}
```
在上面的代码中,getNext函数用于求出模式串的next数组,KMP函数用于在文本串中查找模式串的位置。在主函数中,我们定义了一个文本串s和一个模式串p,并调用了getNext和KMP函数。如果模式串能够在文本串中找到,KMP函数返回模式串在文本串中的位置,否则返回-1。
阅读全文