猿问

在 golang 中将函数应用于列表中的所有元素的简短方法

假设我想对列表中的每个元素应用一个函数,然后将结果值放在另一个列表中,以便我可以立即使用它们。在python中,我会做这样的事情:


list = [1,2,3]

str = ', '.join(multiply(x, 2) for x in list)

在 Go 中,我做这样的事情:


list := []int{1,2,3}

list2 := []int


for _,x := range list {

    list2 := append(list2, multiply(x, 2))

}


str := strings.Join(list2, ", ")

是否有可能以更短的方式做到这一点?


陪伴而非守候
浏览 185回答 3
3回答

开心每一天1111

我会像你一样做,做一些调整来修正错别字import (    "fmt"    "strconv"    "strings")func main() {    list := []int{1,2,3}    var list2 []string    for _, x := range list {        list2 = append(list2, strconv.Itoa(x * 2))  // note the = instead of :=    }    str := strings.Join(list2, ", ")    fmt.Println(str)}

大话西游666

这是一个古老的问题,但在我的 Google 搜索中排名靠前,我找到了我认为对 OP 和其他到达这里寻找相同内容的人有帮助的信息。有一种更短的方法,尽管您必须自己编写 map 函数。在 go 中,func是一种类型,它允许您编写一个函数,该函数接受主题切片和函数作为输入,并在该切片上迭代,应用该函数。查看Map此 Go by Example 页面底部附近的功能:https : //gobyexample.com/collection-functions我已将其包含在此处以供参考:func Map(vs []string, f func(string) string) []string {    vsm := make([]string, len(vs))    for i, v := range vs {        vsm[i] = f(v)    }    return vsm}然后你可以这样称呼它:fmt.Println(Map(strs, strings.ToUpper))所以,是的:您正在寻找的更短的方式存在,尽管它没有内置在语言本身中。

慕容3067478

找到了定义通用地图数组函数的方法func Map(t interface{}, f func(interface{}) interface{} ) []interface{} {&nbsp; &nbsp; switch reflect.TypeOf(t).Kind() {&nbsp; &nbsp; case reflect.Slice:&nbsp; &nbsp; &nbsp; &nbsp; s := reflect.ValueOf(t)&nbsp; &nbsp; &nbsp; &nbsp; arr := make([]interface{}, s.Len())&nbsp; &nbsp; &nbsp; &nbsp; for i := 0; i < s.Len(); i++ {&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; arr[i] = f(s.Index(i).Interface())&nbsp; &nbsp; &nbsp; &nbsp; }&nbsp; &nbsp; &nbsp; &nbsp; return arr&nbsp; &nbsp; }&nbsp; &nbsp; return nil}origin := []int{4,5,3}newArray := Map(origin, func(item interface{}) interface{} { return item.(int) + 1})
随时随地看视频慕课网APP

相关分类

Go
我要回答