概念
所謂匿名函式,就是沒有名字的函式
匿名函式的兩種使用方式
一、在定義匿名函式的時候就可以直接使用(這種方式只使用一次)
package main
import (
"fmt"
)
func main(){
res1 := func (n1 int, n2 int) int {
return n1 + n2
}(10, 30) //括號裡的10,30 就相當於引數列表,分別對應n1和n2
fmt.Println("res1=",res1)
}
D:\goproject\src\main>go run hello.go
res1= 40
二、將匿名函式賦給一個變數(函式變數),再通過該變數來呼叫匿名函式
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(10, 30)
res3 := test_fun(50, 30)
fmt.Println("res2=", res2)
fmt.Println("res3=", res3)
fmt.Printf("%T", test_fun)
}
D:\goproject\src\main>go run hello.go
res2= -20
res3= 20
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(9, 7)
fmt.Println("val1=", val1)
}
D:\goproject\src\main>go run hello.go
val1= 2