28. 实现 strStr()
前缀:包含前字母不包含尾字母的所有字符串
后缀:包含尾字母不包含前字母的所有字符串
给你两个字符串 haystack 和 needle ,请你在 haystack 字符串中找出 needle 字符串的第一个匹配项的下标(下标从 0 开始)。如果 needle 不是 haystack 的一部分,则返回 -1 。
来源:力扣(LeetCode)
链接: https://leetcode.cn/problems/find-the-index-of-the-first-occurrence-in-a-string
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
class Solution {
// 构建前缀表 最长相等前后缀
private void getNext(int[] next,String s){
int j =0;
// 对于第一个字母 最长相等前后缀为0
next[0] = 0;
for(int i=1;i<s.length();i++){
while(j>0&&s.charAt(j)!=s.charAt(i)){
j = next[j-1];
}
if(s.charAt(j)==s.charAt(i)){
j++;
}
next[i] = j;
}
}
public int strStr(String haystack, String needle) {
if(needle.length()==0) return 0;
int [] next = new int[needle.length()];
getNext(next,needle);
int j=0;
for(int i=0;i<haystack.length();i++){
while(j>0&&needle.charAt(j)!=haystack.charAt(i)){
j = next[j-1];
}
if(needle.charAt(j)==haystack.charAt(i)){
j++;
}
if(j==needle.length()){
return i-needle.length()+1;
}
}
return -1;
}
}
459.重复的子字符串