kmp算法的代码实现
时间: 2023-11-09 18:03:32 浏览: 89
KMP算法是一种字符串匹配算法,可以在O(n+m)的时间复杂度内解决字符串匹配问题。其核心思想是利用已知信息避免无效的比较,具体实现如下:
```
void getNext(string pattern, vector<int>& next) {
int j = 0, k = -1;
next[0] = -1;
while (j < pattern.size() - 1) {
if (k == -1 || pattern[j] == pattern[k]) {
j++;
k++;
next[j] = k;
} else {
k = next[k];
}
}
}
int kmp(string text, string pattern) {
vector<int> next(pattern.size());
getNext(pattern, next);
int i = 0, j = 0;
while (i < text.size() && j < pattern.size()) {
if (j == -1 || text[i] == pattern[j]) {
i++;
j++;
} else {
j = next[j];
}
}
if (j == pattern.size()) {
return i - j;
} else {
return -1;
}
}
```
阅读全文