题目:给你两个字符串 haystack 和 needle ,请你在 haystack 字符串中找出 needle 字符串出现的第一个位置(下标从 0 开始)。如果不存在,则返回 -1 。
/*题目:实现 strStr() 函数。给你两个字符串 haystack 和 needle ,
请你在 haystack 字符串中找出 needle 字符串出现的第一个位置(下标从 0 开始)。
如果不存在,则返回 -1 。
示例 1:
输入:haystack = "hello", needle = "ll" 输出:2
示例 2:
输入:haystack = "aaaaa", needle = "bba" 输出:-1
。*/
//方法1
public class Solution {
public int strStr(String haystack,String needle){
int n=haystack.length(),m=needle.length();
for (int i = 0; i <= n-m; i++) {//小字符串第一个位置不可能出现在大字符串大于n-m的地方
boolean flag=true;
for (int j = 0; j < m; j++) {//因为n>m,所以用小字符串的每一位比较大字符串的单一一位
if(needle.charAt(j)!=haystack.charAt(i+j)){
flag=false;
break;
}
}
if(flag){
return i;
}
}
return -1;
}
}
//方法二:KMP算法
public class Solution_2 {
//获取next[]数组
public int strStr(String haystack,String needle){
int n=haystack.length(),m=needle.length();
if(m==0){
return 0;
}
int[] next=new int[m];//根据小字符串获取next[]数组
for (int i = 1,t=0; i < m; i++) {//t为next[]对应下标的值,为最大公共前后缀
while(t>0&&needle.charAt(i)!=needle.charAt(t)){//如果小字符串前后某一位不同,则查找next[]的上一位的值。
t=next[t-1];
}
if(needle.charAt(i)==needle.charAt(t)){//如果小字符串前后某一位相同,对应的next[]值+1
t++;
}
next[i]=t;
}
for (int i = 0,j=0; i <n; i++) {//i,j为扫描指针
while(j>0&&haystack.charAt(i)!=needle.charAt(j)){//大小字符串,对应位不同时,查找next[]
j=next[j-1];
}
if(haystack.charAt(i)==needle.charAt(j)){//相同时,扫描下一位
j++;
}
if(j==m){
return i-m+1;
}
}
return -1;
}
}
题目链接:力扣