目录
文章目录
- 目录
- 接口
接口
接口是 Golang 提供的一种数据类型,使用 type 和 interface 关键字来声明。接口可以把所有的具有共性的方法(Method)集合在一起,任何其他类型只要实现了这些方法就是实现了这个接口。
格式:
type interface_name interface {
method_name1 [return_type]
method_name2 [return_type]
method_name3 [return_type]
...
method_namen [return_type]
}
type struct_name struct {
}
func (struct_name_variable struct_name) method_name1() [return_type] {
}
...
func (struct_name_variable struct_name) method_namen() [return_type] {
}
示例:定义了一个接口 Phone,在这个接口里面有一个方法 call()。然后我们在 main 函数里面定义了一个 Phone(接口)类型变量,并分别为之赋值为 NokiaPhone 和 IPhone,然后调用 call() 方法。
package main
import "fmt"
type Phone interface {
call()
}
type NokiaPhone struct {
}
func (nokiaPhone NokiaPhone) call() {
fmt.Println("I am Nokia, I can call you!")
}
type IPhone struct {
}
func (iPhone IPhone) call() {
fmt.Println("I am iPhone, I can call you!")
}
func main() {
var phone Phone
phone = new(NokiaPhone)
phone.call()
phone = new(IPhone)
phone.call()
}
结果:
I am Nokia, I can call you!
I am iPhone, I can call you!