Implement strStr().
Return the index of the first occurrence of needle in haystack, or -1 if needle is not part of haystack.
Example 1:
Input: haystack = "hello", needle = "ll"
Output: 2
Example 2:
Input: haystack = "aaaaa", needle = "bba"
Output: -1
Clarification:
What should we return when needle is an empty string? This is a great question to ask during an interview.
For the purpose of this problem, we will return 0 when needle is an empty string. This is consistent to C's strstr() and Java's indexOf().
复制代码
实现strStr ()。
返回haystack中needle的第一次出现的索引,若是针不是haystack的一部分,返回-1。
示例1:
输入:haystack = "hello", needle = "ll"
输出:2
示例2:
输入:haystack = "aaaaa", needle = "bba"
输出:1
澄清:
当needle是空字符串时,咱们应该返回什么?这是一个很是适合在面试中问的问题。
对于这个问题,当needle为空字符串时,咱们将返回0。这与C的strstr()和Java的indexOf()一致。java
本题思路很简单,就是让咱们实现java的indexof方法,咱们根据循环判断haystack中是否有needle字符就好了,固然,能够直接调用java的api。面试
第一种解题方法,按照思路编辑,代码以下api
if (haystack == null || "".equals(needle)) {
return 0;
}
int len = haystack.length() - needle.length()+1;
int needLen = needle.length();
for (int i = 0; i < len; i++) {
if (haystack.charAt(i) != needle.charAt(0)) {
continue;
}
int m;
for (m = 1; m < needle.length(); m++) {
if (haystack.charAt(i + m) != needle.charAt(m)) {
break;
}
}
if (m == needLen) {
return i;
}
}
return -1;
复制代码
时间复杂度: 该方案用了循环,循环层数为2,因此O(f(n))=O(Mn),即T(n)=O(n^2)bash
空间复杂度: 该方案没有使用额外的空间,因此空间复杂度是O(1);ui
第二种解题方法,直接调用api,简单粗暴(固然这个是不符合要求的),代码以下this
if (haystack == null ) {
return 0;
}
return haystack.indexOf(needle);
复制代码
时间复杂度: 该方案T(n)=O(1)spa
空间复杂度: 该方案没有使用额外的空间,因此空间复杂度是O(1);翻译
本题的大体解法如上所诉,本题只想到了一种方法,第二种方法是不符合要求的,偷懒专用,毕竟都选用了的语言,语言自带的不用白不用code