-
Notifications
You must be signed in to change notification settings - Fork 0
/
kmp.cpp
executable file
·85 lines (77 loc) · 2.62 KB
/
kmp.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
#include <iostream>
#include <cstring>
#include "KMP.h"
using namespace std;
Kmp::Kmp(){ }
// Kmp::Kmp(const string P, const string S){ }
Kmp::~Kmp(){ }
int Kmp::match(const string P, const string S)
{ // KMP 算法
if (P.size()==0){
return 0;
}
int* next = buildNext(P); // 构造 next 表
int m = (int) S.size(), i = 0; // 文本串指针
int n = (int) P.size(), j = 0; //模式串指针
while (j < n && i < m) // 自左向右逐个比对字符
if (0 > j || S[i] == P[j]) // 若匹配,或 P 已移除最左侧
{i++; j++;} // 则转到下一字符
else
j = next[j]; // 模式串右移(注意:文本串不用回退)
delete [] next; // 释放 next 表
if (n==j)
{
return i - j;
}
return -1;
}
int Kmp::match(char* P, char* S){
int* next = buildNext(P); // 构造 next 表
int m = (int) strlen (S), i = 0; // 文本串指针
int n = (int) strlen(P), j = 0; //模式串指针
while (j < n && i < m) // 自左向右逐个比对字符
if (0 > j || S[i] == P[j]) // 若匹配,或 P 已移除最左侧
{i++; j++;} // 则转到下一字符
else
j = next[j]; // 模式串右移(注意:文本串不用回退)
delete [] next; // 释放 next 表
if (n==j)
{
return i - j;
}
return -1;
}
int*Kmp::buildNext(const string P) { // 构造模式串 P 的 next 表
size_t m = P.size(), j = 0; // “主”串指针
int* N = new int[m]; // next 表
int t = N[0] = -1; // 模式串指针
while (j < m - 1)
if ( 0 > t || P[j] == P[t]){ // 匹配
j++; t++;
N[j] = t; // 此句可改进为 N[j] = (P[j] != P[t] ? t : N[t]);
}else // 失配
t = N[t];
return N;
}
int*Kmp::buildNext(char* P) { // 构造模式串 P 的 next 表
size_t m = strlen(P), j = 0; // “主”串指针
int* N = new int[m]; // next 表
int t = N[0] = -1; // 模式串指针
while (j < m - 1)
if ( 0 > t || P[j] == P[t]){ // 匹配
j++; t++;
N[j] = t; // 此句可改进为 N[j] = (P[j] != P[t] ? t : N[t]);
}else // 失配
t = N[t];
return N;
}
int main()
{
string haystack = "aaaaa", needle = "bba";
Kmp kmp1 = Kmp();
int* b = kmp1.buildNext(needle);
cout << b << endl;
int a = kmp1.match(haystack, needle);
cout << a<< endl;
return 0;
}