title: 每日一練(37):實現 strStr()
categories:[劍指offer]
tags:[每日一練]
date: 2022/03/21
每日一練(37):實現 strStr()
實現 strStr() 函式。
給你兩個字串 haystack 和 needle ,請你在 haystack 字串中找出 needle 字串出現的第一個位置(下標從 0 開始)。如果不存在,則返回 -1 。
說明:
當 needle 是空字串時,我們應當返回什麼值呢?這是一個在面試中很好的問題。
對於本題而言,當 needle 是空字串時我們應當返回 0 。這與 C 語言的 strstr() 以及 Java 的 indexOf() 定義相符。
示例 1:
輸入:haystack = "hello", needle = "ll"
輸出:2
示例 2:
輸入:haystack = "aaaaa", needle = "bba"
輸出:-1
示例 3:
輸入:haystack = "", needle = ""
輸出:0
提示:
0 <= haystack.length, needle.length <= 5 * 104
haystack 和 needle 僅由小寫英文字元組成
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/probl...
方法一:雙指標法(暴力解法)
思路分析
- 判斷是否相等,同步往後移
- 不相等退回開始的位置,i+1,j=0;
int strStr(string haystack, string needle) {
int i = 0;
int j = 0;
while (haystack[i] != '\0' && needle[j] != '\0') {
if (needle[j] == haystack[i]) {//判斷是否相等
j++;
i++;
} else { //不相等退回開始的位置,i+1,j=0;
i = i - j + 1;
j = 0;
}
}
if (j == needle.length()) { //j為步長
return i-j;
}
return -1;
}
方法二:find函式
int strStr(string haystack, string needle) {
if (needle.size() == 0) {
return 0;
}
return haystack.find(needle);
}