Fork me on GitHub

每日一题:Implement-strStr

题目

Implement strStr().

Returns the index of the first occurrence of needle in haystack, or -1 if needle is not part of haystack.

解答

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
public class Solution {
public int strStr(String haystack, String needle) {
int haystackindex = 0;
int needleindex = 0;

while(haystackindex < haystack.length() && needleindex < needle.length()){
if(haystack.charAt(haystackindex) == needle.charAt(needleindex)){
haystackindex++;
needleindex++;
}else{
haystackindex = haystackindex - needleindex + 1;
needleindex = 0;
}
}
if(needleindex > needle.length() - 1) {
return haystackindex - needle.length();
}
else{
return -1;
}
}
}

注解

暴力匹配,没啥好说的,时间复杂度为 O(n*n)。