go语言面向对象之接口

Posted 程序彤

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了go语言面向对象之接口相关的知识,希望对你有一定的参考价值。

go接口

接口中不允许有除了只声明方法外的其他变量

定义

接口是一个引用类型,默认是一个指针。必须对接口初始化后使用,否则将会输出nil

type 接口名 interface{
	method1(参数列表) 返回值列表
	method2(参数列表) 返回值列表
}

go的接口不需要显式实现,只要一个变量,含有接口类型中的所有方法,name这个变量就实现了这个接口,编译器底层优化检测。

package main

import "fmt"

func main() {
	zoo:=Zoo{}
	cat:=Cat{}
	dog:=Dog{}

	// 多态
	zoo.coming(cat)
	zoo.coming(dog)

}

/*
动物
 */
type Animal interface {
	Shout() // 叫
	Eat() // 吃

}
/*
猫狗的吃叫方法也隐式实现了这个接口
定义好的接口,我就放这,你若实现了我接口中的所有方法,你这个结构体就是实现了接口。
*/

type Animal2 interface {
	Shout() // 叫
	Eat() // 吃

}

/*
猫
 */
type Cat struct {

}

func (cat Cat) Shout(){ // 都不知道这个方法属于Animal这个接口。。
	fmt.Println("猫猫叫。。。")
}

func (cat Cat) Eat(){
	fmt.Println("猫猫吃。。。")
}

/*
狗
 */
type Dog struct {

}

func (dog Dog) Shout(){
	fmt.Println("狗狗叫。。。2")
}

func (dog Dog) Eat(){
	fmt.Println("狗狗吃。。。")
}

/*
动物园
 */
type Zoo struct {

}

/*
动物园
 */
func (zoo Zoo) coming(animal Animal2){ // 其实猫狗都实现了Animal和Animal2两个接口,这里指定使用哪个传递
	// 通过接口调用
	animal.Shout()
	animal.Eat()
}

可以给自定义类型(非结构体)实现接口。如下:

type integer int
type Iinterface interface {
	printtt()
}
func (i integer) printtt(){
	fmt.Println("i=",i)
}

main{
	 var i integer = 666
     var ii Iinterface = i // i因为是integer类型,integer又是int类型
     ii.printtt()
}

接口的多实现

一个接口可以继承多个 别的接口,这是如果要实现A接口,也必须将B和C接口的方法全部实现

空接口:

interface{}无任何方法,所以所有类型都实现了空接口

var stu Stu
var t interface{} = stu
	// 可以将任意数据类型 赋值给空接口
	var t T = monster
	fmt.Println(t)

	// 空接口的另一种声明类型
	var t2 interface{} = monster
	num1 := 666
	t2 = num1
	fmt.Println(t2)
}

/*
空接口
 */
type T interface {

}

以上是关于go语言面向对象之接口的主要内容,如果未能解决你的问题,请参考以下文章

Go语言之面向对象-多态与类型断言

go语言面向对象编程(接口编程)

Go语言基础之结构体

9.Go语言基础之结构体

通学go语言系列之面向对象

Go面向对象之接口