当前位置: 代码迷 >> 综合 >> go源码学习——strings.IndexFunc
  详细解决方案

go源码学习——strings.IndexFunc

热度:44   发布时间:2023-12-04 23:24:21.0

函数可以作为其他函数的参数进行传递,然后在其他函数内执行,一般称为回调

strings.IndexFunc

根据指定条件查找字符总结
函数使用:用于将索引返回到满足f?的第一个Unicode代码点的s中,如果没有,则返回-1。
源码分析

PS D:\go\src> go doc -u -src strings.indexFunc
package strings // import "strings"// IndexFunc returns the index into s of the first Unicode
// code point satisfying f(c), or -1 if none do.
func IndexFunc(s string, f func(rune) bool) int {
    return indexFunc(s, f, true)
}
// indexFunc is the same as IndexFunc except that if
// truth==false, the sense of the predicate function is
// inverted.
func indexFunc(s string, f func(rune) bool, truth bool) int {
    for i, r := range s {
    if f(r) == truth {
    return i}}return -1
}

案例

1. 查找字符串中满足条件的的字符
2. 查找不存在字符
字符的 ASCII 码大于 100 的字符第一次出现的位置

package main
import ("fmt""strings"
)
func IsAscii(r rune)bool{
    if r > 100{
    return true}return false
}
func main() {
    fmt.Println(strings.IndexFunc("I love Golang", IsAscii)) //1
}