接口
基本介绍
在c和Java一类面向对象的语言中,接口的一般定义是“接口定义对象的行为”。它表示让指定对象应该做什么。实现这种行为的方法(实现细节)是针对对象的。(个人感觉比较像,可以让各个类公用的方法)
在go语言中,接口把所有的具有共性的方法定义在一起,任何其他类型只要实现了这些方法就是实现了这个接口
某种程度上来说,接口的意义是一样的
接口的定义
和java一样,是使用interface来定义
定义的基本语法如下:
type interface_name interface {
method_name1 [return_type]
method_name2 [return_type]
method_name3 [return_type]
...
method_namen [return_type]
}
实例如下
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
//创建NoiaPhone对象
phone = new(NokiaPhone)
//调用接口中的方法
phone.call()
//创建IPhone对象
phone = new(IPhone)
//调用接口中的方法
phone.call()
//上述调用的两次方法不是一样的
}
运行的结果
I am Nokia, I can call you!
I am iPhone, I can call you!
接口的特性
- 接口可以被任意的对象实现
- 一个对象可以实现任意多个接口
接口的调用
如果我们定义了一个interface的变量,那么这个变量里面可以存实现这个interface的任意类型的对象。但是接口不能调用实现对象的属性
接口的嵌套
实际上也可以看成继承
例如
package main
import "fmt"
type Human interface {
Len()
}
type Student interface {
Human
}
type Test struct {
}
func (h *Test) Len() {
fmt.Println("小拉基")
}
func main() {
var s Student
s = new(Test)
s.Len()
}