KMP算法为的是解决两个字符串匹配问题的算法,检查一个字符串是否为另一个的子串,a= “abc” , b = “aabcd” , b串里包含了一个a串,KMP算法可以以O(M+N)的复杂度找到子串在b中的位置。
下面是我通过不同博客资料最终总结出的算法:
1.首先要弄清什么是KMP算法:
请查看 阮一峰老师写的介绍KMP的博客,这是一篇真的容易懂的KMP算法介绍
2.JAVA实现
计算出的部分匹配表与原文有所不同
public class KMP {
public static void main(String[] args) {
String target = "bbc abcdab abcdabd abde";// 主串
String mode = "abcdabd";// 模式串
char[] t = target.toCharArray();
char[] m = mode.toCharArray();
System.out.println(matchString(t, m)); // KMP匹配字符串
}
//计算部分匹配表
public static int[] matchTable(char[] c) {
int length = c.length;
int[] a = new int[length];
int i, j;
a[0] = -1;
i = 0;
for (j = 1; j < length; j++) {
i = a[j - 1];
while (i >= 0 && c[j] != c[i + 1]) {
i = a[i];
}
if (c[j] == c[i + 1]) {
a[j] = i + 1;
} else {
a[j] = -1;
}
}
return a;
}
//字符串匹配
public static int matchString(char[] s, char[] t) {
int[] next = matchTable(t);
int i = 0;
int j = 0;
while (i <= s.length - 1 && j <= t.length - 1) {
if (j == -1 || s[i] == t[j]) {
i++;
j++;
} else {
j = next[j];
}
}
if (j < t.length) {
return -1;
} else
return i - t.length; // 返回模式串在主串中的头下标
}
}