28. Implement strStr()
题目:实现strStr()函数,即找到目标字符串首次出现的位置。
思路:利用substring函数,用equals直接判断,简单粗暴,好像也不是很慢。需要注意两者均为空的情况。
public class Solution {
public int strStr(String haystack, String needle) {
int h_len = haystack.length();
int n_len = needle.length();
if(haystack.equals(needle)) return 0;
if(h_len < n_len) return -1;
for(int i = 0; i <= h_len-n_len; i++){
if(haystack.substring(i, i+n_len).equals(needle)) return i;
}
return -1;
}
}
附上按位比较的方法,以及还有KMP算法,这个以后补充吧。
public int strStr(String haystack, String needle) {
for (int i = 0; ; i++) {
for (int j = 0; ; j++) {
if (j == needle.length()) return i;
if (i + j == haystack.length()) return -1;
if (needle.charAt(j) != haystack.charAt(i + j)) break;
}
}
}
题目:判断输入字符串是否是某个子字符串重复若干次的结果。
思路:按照28题的思路,子字符串的长度从1到输入串长度的一半,分别判断在每个长度下是否满足要求,不满足跳出。这里需要注意输入串长度能被子字符串整除,这个判断可以节省很多时间。
public class Solution {
public boolean repeatedSubstringPattern(String s) {
for(int i = 1; i <= s.length()/2; i++){
if(s.length()%i != 0) continue;
int count = 1;
for(int j = 0; j <= s.length()-2*i; j += i){
if(s.substring(j, j+i).equals(s.substring(j+i, j+2*i))){
count++;
}
else break;
}
if(count == s.length()/i) return true;
}
return false;
}
}