实现 strStr() 函数。
给定一个 haystack 字符串和一个 needle 字符串,在 haystack 字符串中找出 needle 字符串出现的第一个位置 (从0开始)。如果不存在,则返回 -1。
示例 1:
输入: haystack = "hello", needle = "ll"
输出: 2
示例 2:
输入: haystack = "aaaaa", needle = "bba"
输出: -1
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/implement-strstr
解题思路
外循环遍历haystack, curLen记录当前已成功匹配needle中的字符长度
子循环判断, 依次比较两个字符串的字符, 遇到不同的字符立刻跳出子循环
如果成功匹配的长度等于needle的长度, haystack包含了needle, 直接返回haystack的索引减去needle的长度
匹配失败则重置索引为本轮起始索引 + 1
如果在外循环中没有返回结果, 则说明匹配失败, 返回 -1
代码
class Solution {
public int strStr(String haystack, String needle) {
int hLen = haystack.length();
int nLen = needle.length();
// 当needle为""时, 直接返回0
if (nLen == 0) {
return 0;
}
// 遍历haystack
for (int i = 0; i < hLen - nLen + 1; ) {
// curLen记录当前已成功匹配needle中的字符长度
int curLen = 0;
// 依次比较两个字符串的字符, 遇到不同的字符立刻跳出
while (curLen < nLen && haystack.charAt(i) == needle.charAt(curLen)) {
i++;
curLen++;
}
// 如果成功匹配的长度等于needle的长度, haystack包含了needle
if (curLen == nLen) {
// 直接返回haystack的索引减去needle的长度
return i - curLen;
}
// 匹配失败则重置索引为本轮起始索引 + 1
i = i - curLen + 1;
}
return -1;
}
}