描述#
实现 strStr() 函数。
给定一个 haystack 字符串和一个 needle 字符串,在 haystack 字符串中找出 needle 字符串出现的第一个位置 (从 0 开始)。如果不存在,则返回 -1。
示例 1:
输入: haystack = "hello", needle = "ll"
输出: 2
示例 2:
输入: haystack = "aaaaa", needle = "bba"
输出: -1
说明:
当 needle
是空字符串时,我们应当返回什么值呢?这是一个在面试中很好的问题。
对于本题而言,当 needle
是空字符串时我们应当返回 0 。这与 C 语言的 strstr() 以及 Java 的 indexOf() 定义相符。
思路#
- needle 空串时返回 0
- 遍历 haystack 字符串,判定当前字符与 needle 字符是否相同,不同则继续遍历
- 若与 needle 字符相同,则匹配剩余字符是否相同,needle 遍历结束,返回匹配位置,haystack 遍历结束,返回 - 1,发现不匹配字符,跳出来继续匹配首字符
- haystack 遍历完成仍未匹配完成,返回 - 1
int strStr(char * haystack, char * needle) {
if(strlen(needle) == 0)
return 0;
for(int i=0;haystack[i] != '\0';i++) {//遍历字符串
if(needle[0] == haystack[i]) {//查找首字符匹配
for(int j=0;;j++) {//剩余字符匹配
if(needle[j] == '\0')
return i;
if(haystack[i+j] == '\0')
return -1;
if(needle[j] != haystack[i+j]) //剩余字符不匹配
break;//跳出当前匹配
}
continue;//查找下一首字符
}
}
return -1;//首字符未匹配成功
}
注意#
- 匹配时的返回条件检测顺序有严格要求,needle 匹配完成返回成功,needle 匹配未完成而 haystack 遍历完成返回 - 1,最后才是判定是否匹配