28. 实现 strStr()(KMP算法实现)


	28. 实现 strStr()(KMP算法实现)
[编程语言教程]

实现 strStr() 函数。

给定一个 haystack 字符串和一个 needle 字符串,在 haystack 字符串中找出 needle 字符串出现的第一个位置 (从0开始)。如果不存在,则返回 -1。

示例 1:

输入: haystack = “hello”, needle = “ll”
输出: 2

示例 2:

输入: haystack = “aaaaa”, needle = “bba”
输出: -1

KMP实现(速度非常慢)

class Solution {
    public int strStr(String haystack, String needle) {
        if(needle.length() == 0)
            return 0;
        int[] next = buildNext(needle);
        int m = next.length, i = 0;
        int n = haystack.length(), j = 0;
        while(j < n && i < m) {
            if(0 > i || haystack.charAt(j) == needle.charAt(i)) {
                i++;
                j++;
            } else {
                i = next[i];
            }
        }
        return i == m ? j - i : -1;

    }
    
    public int[] buildNext(String needle) {
        int len = needle.length(), j = 0;
        int[] next = new int[len];
        int t = next[j] = -1;
        while(j < len - 1) {
            if(0 > t || needle.charAt(j) == needle.charAt(t)) {
                j++;
                t++;
                next[j] = t;
            } else {
                t = next[t];
            }
        }
        return next;
    }
}
hmoban主题是根据ripro二开的主题,极致后台体验,无插件,集成会员系统
自学咖网 » 28. 实现 strStr()(KMP算法实现)