描述:对于一个给定的 source 字符串和一个 target 字符串,你应该在 source 字符串中找出 target 字符串出现的第一个位置(从0开始)。如果不存在,则返回 -1
。
样例:
如果 source = "source"
和 target = "target"
,返回 -1
。
如果 source = "abcdabcdefg"
和 target = "bcd"
,返回 1
。
思路:一开始是看数据结构书上的KMP算法,后来发现next[]的计算方式和网上给出的方式不一样,然后相对比较难点,所以就放弃了书本。整个代码参考 https://segmentfault.com/a/1190000008575379 讲解超级详细
在提交过程中有许多没有注意的小细节问题:例如["abcd",0] return 0; ["aa",null] return -1;[null,"bbb"] return -1;其实终级原因是没有看清题目中需要返回第一出现的位置。
public static int[] getNext(String str){ //对计算next数组还是有点不太明白 后续继续补充
int[] next = new int[str.length()];
next[0] =-1;
int i=0;
int j=-1;
while(i<str.length()-1){
if(j==-1||str.charAt(i)==str.charAt(j)){
i++;
j++;
next[i] = j;
}
else{
j = next[j];
}
}
return next;
}
public int strStr(String source, String target) {
// write your code here
if(source==null || target==null) return -1;
if(source.equals(target) || target.length()==0) return 0;
int[] next=getNext(target);
int i=0;
int j=0;
while(i < source.length() && j<target.length()){
if(j==-1||source.charAt(i)==target.charAt(j)){
i++;
j++;
}else{
j=next[j];
}
}
if(j==target.length())
return i-j;
return -1;
}