Leetcode28实现 strstr()
实现 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() 定义相符。
来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/implement-strstr 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
Solution 1
KMP
执行用时:0 ms
内存消耗:5.9 MB
int *get_next(char *str)
{
int len = strlen(str);
int *next = malloc(len * sizeof(int));
int i = 0, j = 0;
next[0] = -1;
for (i = 1, j = 0; i < len; i++, j++)
{
// 执行到此时,前i个元素 与 前j个元素中的最后i个匹配
// 即是 str[0 ~ i-1] == str[j-i ~ j-1]
// 当 i == 0 时,也认为匹配
next[i] = j;
// 确保 str[i] 与 str[j] 匹配
// 即下一轮的i和j满足条件
while (j >= 0 && str[i] != str[j])
j = next[j];
}
return next;
}
int strStr(char *haystack, char *needle)
{
// KMP Algorithm
if (*needle == '\0')
return 0;
int haystack_size = strlen(haystack);
int needle_size = strlen(needle);
int i = 0, j = 0;
int *next = get_next(needle);
while (i < haystack_size && j < needle_size)
{
// j为-1说明needle[0]和haystack[i]匹配不上
// 之后应该尝试匹配needle[0] 和 haystack[i+1]
if (j == -1 || haystack[i] == needle[j])
{
i++;
j++;
}
// 后退到最长前缀的末尾
else
{
j = next[j];
}
}
free(next);
if (j == needle_size)
return i - j;
else
return -1;
}
Solution 2
改进后的KMP
执行用时:0 ms
内存消耗:5.8 MB
int *get_nextval(char *str)
{
int len = strlen(str);
int *next = malloc(len * sizeof(int));
int i = 0, j = 0;
next[0] = -1;
for (i = 1, j = 0; i < len; i++, j++)
{
// 执行到此时,前i个元素 与 前j个元素中的最后i个匹配
// 即是 str[0 ~ i-1] == str[j-i ~ j-1]
// 当 i == 0 时,也认为匹配
next[i] = j;
// change next into nextval
if (str[i] == str[next[i]])
next[i] = next[next[i]];
// 确保 str[i] 与 str[j] 匹配
// 即下一轮的i和j满足条件
while (j >= 0 && str[i] != str[j])
{
j = next[j];
}
}
return next;
}
int strStr(char *haystack, char *needle)
{
// KMP Algorithm
if (*needle == '\0')
return 0;
int haystack_size = strlen(haystack);
int needle_size = strlen(needle);
int i = 0, j = 0;
int *next = get_nextval(needle);
while (i < haystack_size && j < needle_size)
{
// j为-1说明needle[0]和haystack[i]匹配不上
// 之后应该尝试匹配needle[0] 和 haystack[i+1]
if (j == -1 || haystack[i] == needle[j])
{
i++;
j++;
}
// 后退到最长前缀的末尾
else
{
j = next[j];
}
}
free(next);
if (j == needle_size)
return i - j;
else
return -1;
}