題目
描述
實(shí)現(xiàn) strStr()
函數(shù)。
給定一個(gè) haystack 字符串和一個(gè) needle 字符串昨忆,在 haystack 字符串中找出 needle 字符串出現(xiàn)的第一個(gè)位置 (從0開始)。如果不存在,則返回 -1。
示例 1:
輸入: haystack = "hello", needle = "ll"
輸出: 2
示例 2:
輸入: haystack = "aaaaa", needle = "bba"
輸出: -1
說明:
當(dāng) needle
是空字符串時(shí)拯坟,我們應(yīng)當(dāng)返回什么值呢?這是一個(gè)在面試中很好的問題韭山。
對(duì)于本題而言郁季,當(dāng) needle
是空字符串時(shí)我們應(yīng)當(dāng)返回 0 冷溃。這與C語言的 strstr()
以及 Java的 indexOf()
定義相符。
來源:力扣(LeetCode)
鏈接:https://leetcode-cn.com/problems/implement-strstr
著作權(quán)歸領(lǐng)扣網(wǎng)絡(luò)所有梦裂。商業(yè)轉(zhuǎn)載請(qǐng)聯(lián)系官方授權(quán)秃诵,非商業(yè)轉(zhuǎn)載請(qǐng)注明出處。
解答
思路
找到indexOf的源碼塞琼,簡(jiǎn)化了一下,沒有KMP算法高效禁舷。但是也不會(huì)超時(shí)彪杉。
代碼
class Solution {
public int strStr(String haystack, String needle) {
if (needle.length() > haystack.length()) {
return -1;
}
if (needle.length() == 0) {
return 0;
}
char first = needle.charAt(0);
int max = haystack.length() - needle.length();
for (int i = 0; i <= max; i++) {
if (first != haystack.charAt(i)) {
while (++i <= max && haystack.charAt(i) != first) ;
}
if (i <= max) {
int j = i + 1;
int end = j + needle.length() - 1;
for (int k = 1; j < end && haystack.charAt(j)
== needle.charAt(k); j++, k++) ;
if (j == end) return i;
}
}
return -1;
}
}