1.忽略返回值
这个应该是最简单的用途,比如某个函数返回三个参数,但是我们只需要其中的两个,另外一个参数可以忽略,这样的话代码可以这样写:
v1, v2, _ := function(...)
2.用在变量(特别是接口断言)
例如我们定义了一个接口(interface):
type Food interface {
Eat()
}
然后定义了一个结构体(struct)
type Water struct {
}
然后我们希望在代码中判断 Water 这个struct是否实现了 Food 这个 interface
var _ Food = Water{}
上面用来判断 Water 是否实现了 Food, 用作类型断言,如果 Water 没有实现 Food,则会报编译错误
3.用在import package
假设我们在代码的 import 中这样引入 package :
import _ "test/food"
这表示呢在执行本段代码之前会先调用 test/food 中的初始化函数(init),这种使用方式仅让导入的包做初始化,而不使用包中其他功能
例如我们定义了一个 Food struct,然后对它进行初始化
package food
import "fmt"
type Food struct {
Id int
Name string
}
func init() {
f := &Food{Id: 123, Name: "apple"}
fmt.Printf("init foo object: %v\n", f)
}
然后在main函数里面引入test/food
package main
import (
"fmt"
_ "test/food"
)
func main() {
fmt.Printf("hello world\n")
}
运行结果如下
init food object: &{123 apple}
hello world
我们可以看到:在main函数输出 ”hello world” 之前就已经对 food对象 进行初始化了(即加载了 test/food 文件的 init() 方法)!