kmp求next数组 c语言
时间: 2023-08-03 19:06:27 浏览: 103
KMP算法中next数组求法.docx
5星 · 资源好评率100%
KMP算法中的next数组是用于模式串匹配的辅助数组,它记录了模式串中每个位置之前的最长相等前缀和后缀的长度。
以下是使用C语言实现KMP算法求next数组的示例代码:
```c
#include <stdio.h>
#include <string.h>
void getNext(char* pattern, int* next) {
int len = strlen(pattern);
int i = 0, j = -1;
next[0] = -1;
while (i < len) {
if (j == -1 || pattern[i] == pattern[j]) {
i++;
j++;
next[i] = j;
} else {
j = next[j];
}
}
}
int main() {
char pattern[] = "ABABCABAA";
int len = strlen(pattern);
int next[len];
getNext(pattern, next);
printf("Next数组:");
for (int i = 0; i < len; i++) {
printf("%d ", next[i]);
}
printf("\n");
return 0;
}
```
以上代码中,getNext函数用于求解next数组。主函数中我们以字符串"ABABCABAA"为例进行测试。输出结果为:Next数组:-1 0 0 1 2 0 1 2 2。
希望以上代码能帮到你!如果还有其他问题,请继续提问。
阅读全文