Golang匿名函数

时间:2021-02-20 11:39:45

概念
所谓匿名函数,就是没有名字的函数
匿名函数的两种使用方式
一、在定义匿名函数的时候就可以直接使用(这种方式只使用一次)

package main
import (
"fmt"
)
func main(){
res1 := func (n1 int, n2 int) int {
return n1 + n2
}(, ) //括号里的10,30 就相当于参数列表,分别对应n1和n2 fmt.Println("res1=",res1)
}
D:\goproject\src\main>go run hello.go
res1=

二、将匿名函数赋给一个变量(函数变量),再通过该变量来调用匿名函数

package main
import (
"fmt"
)
func main(){
//将匿名函数fun 赋给变量test_fun
//则test_fun的数据类型是函数类型,可以通过test_fun完成调用
test_fun := func (n1 int, n2 int) int {
return n1 - n2
} res2 := test_fun(, )
res3 := test_fun(, )
fmt.Println("res2=", res2)
fmt.Println("res3=", res3)
fmt.Printf("%T", test_fun)
}
D:\goproject\src\main>go run hello.go
res2= -
res3=
func(int, int) int

全局匿名函数

全局匿名函数就是将匿名函数赋给一个全局变量,那么这个匿名函数在当前程序里可以使用

package main
import (
"fmt"
) //Test_fun 就是定义好的全局变量
//全局变量必须首字母大写
var (
Test_fun = func (n1 int, n2 int) int {
return n1 - n2
}
)
func main(){
val1 := Test_fun(, ) fmt.Println("val1=", val1)
}
D:\goproject\src\main>go run hello.go
val1=