28. 实现 strStr()
解题思路
可以让字符串 needle 与字符串haystack 的所有长度为 mm 的子串均匹配一次
1.分别将两个字符串转换为字符数组
2.双层for循环遍历,第一层为hays字符串,第二层为need字符串
3.每个字符进行对比,如果相等则下一个(hays与need),如果不等,则退出,进行hays下一个首字符开始遍历
解题遇到的问题
needle为空、haystack长度小于needle、hays末尾越界
后续需要总结学习的知识点
1.KMP算法
2.用KMP解此题
##解法1
class Solution {
public static int strStr(String haystack, String needle) {
if (needle == null || needle.length() == 0) {
return 0;
}
if (haystack.length() < needle.length()) {
return -1;
}
char[] hays = haystack.toCharArray();
char[] needs = needle.toCharArray();
for (int i = 0; i < hays.length; i++) {
int k = i;
for (int j = 0; j < needs.length; j++) {
if (k < hays.length && hays[k] == needs[j]) {
k++;
} else {
break;
}
}
if (k - i == needs.length) {
return i;
}
}
return -1;
}
}
网友评论