Implement strStr().
Returns the index of the first occurrence of needle in haystack, or -1 if needle is not part of haystack.
简单的做法双重循环,依次去比较,时间复杂度O(m*n)
1 | class Solution { |
当然还有很多其它解法,比如KMP,最优时间复杂度O(n)。翻出算法导论,复习了下KMP,无论理解还是写起来都还是比较费劲的(只见过一位清华学霸徒手写完整过),网上的解读资料也是非常多的,有一篇思路比较清晰易懂的,KMP算法详解1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48class Solution {
public:
vector<int> failure;
void GetFailureFunction(string& needle){
failure.assign(needle.size(), -1);
for(int j = 1; j < needle.size(); j++){
int i = failure[j-1];
while( (needle[j] != needle[i+1]) && (i>=0) ){
i = failure[i];
}
if(needle[j] == needle[i+1]){
failure[j] = i+1;
}
}
}
int KMP(string& haystack, string& needle){
int i = 0, j = 0;
while( i<haystack.size() && j<needle.size() ){
if( haystack[i] == needle[j] ){
i++; j++;
}
else{
if( j == 0 )
i++;
else
j = failure[j-1] + 1;
}
}
if(j < needle.size())
return -1;
else
return i-needle.size();
}
int strStr(string haystack, string needle) {
GetFailureFunction(needle);
return KMP(haystack,needle);
}
};