LeetCode28. 实现strStr()Golang版
实现 strStr() 函数。
给定一个 haystack 字符串和一个 needle 字符串,在 haystack 字符串中找出 needle 字符串出现的第一个位置 (从0开始)。如果不存在,则返回 -1。
2. 思路
3. 代码
func strStr(haystack string, needle string) int {
if needle == "" {
return 0
}
if len(needle) > len(haystack) {
return -1
}
j := 0
var ii int
var index int
var length int
for i := 0; i < len(haystack); i++ {
ii = i
length = 0
for j = 0; j < len(needle); j++ {
if ii >= len(haystack) {
return -1
}
if needle[j] == haystack[ii] {
ii++
length++
}
}
if length == len(needle) {
index = i
break
}
}
if length == len(needle) {
return index
} else {
return -1
}
return -1
}