码迷,mamicode.com
首页 > 编程语言 > 详细

KMP算法

时间:2020-02-25 11:15:19      阅读:79      评论:0      收藏:0      [点我收藏+]

标签:system   amp   pre   字符串   code   长度   str1   怎么   核心   

暴力匹配算法虽然写起来简单但是效率太低了,一旦出现不匹配就要从头匹配,怎么能让字符串匹配不对的时候有效的往后移动呢?这时候就出现3个大神,分别提出最后联合发表了这个算法——KMP算法,有效的解决了这个问题。

KMP算法的核心就是如何有效的后移,这张表的计算方法如下

如字符串:A B C D A B D 所示

当字符匹配到 A 时 他的前后缀都为 A  没有共有元素 长度为0

当字符匹配到 A B 时 他的前缀为 A  后缀为 B 没有共有元素 长度为0

当字符匹配到 A B C 时 他的前缀为 A AB 后缀为  BC  C 没有共有元素 长度为0

当字符匹配到 A B C D时 他的前缀为 A  AB ABC 后缀为  BCD CD D 没有共有元素 长度为0

当字符匹配到 A B C D A时 他的前缀为 A  AB ABC ABCD 后缀为  BCDA CDA DA  A 共有元素为A  长度为1

以此类推这个字符串匹配表值为 0000120

当出现不匹配字符时,后移位数 = 已匹配的字符数 -  对应部分的匹配值

还是用上面的字符串举例:当我们匹配到第6个字符 B 为不匹配时我们要后移的位数就等于  已经匹配的字符数(5)- 对应部分的匹配值(1)  后移4个继续匹配

public class KMPAlgorithm {

    public static void main(String[] args) {
        String str1 = "223 123412 123412341245";
        String str2 = "1234124";

        int[] next = kmpNext(str2);
        int index = kmpSearch(str1, str2, next);
        System.out.println(index);//15
    }

    public static int[] kmpNext(String dest) {
        int[] next = new int[dest.length()];
        next[0] = 0;
        for (int i = 1, j = 0; i < dest.length(); i++) {
            while (j > 0 && dest.charAt(i) != dest.charAt(j)) {
                j = next[j - 1];
            }
            if (dest.charAt(i) == dest.charAt(j)) {
                j++;
            }
            next[i] = j;
        }
        return next;
    }

    public static int kmpSearch(String str1, String str2, int[] next) {
        for (int i = 0, j = 0; i < str1.length(); i++) {
            while (j > 0 && str1.charAt(i) != str2.charAt(j)) {
                j = next[j - 1];
            }
            if (str1.charAt(i) == str2.charAt(j)) {
                j++;
            }
            if (j == str2.length()) {
                return i - j + 1;
            }
        }
        return -1;
    }
}

KMP算法

标签:system   amp   pre   字符串   code   长度   str1   怎么   核心   

原文地址:https://www.cnblogs.com/bingbug/p/12360557.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!