编程语言
首页 > 编程语言> > go语言使用接口编程

go语言使用接口编程

作者:互联网

Golang 语言怎么使用接口编程?

01

介绍

关于 Golang 语言接口的使用,在之前的一篇公众号文章中已经介绍过,未阅读的读者朋友,如果感兴趣,可以按需翻阅文末推荐阅读列表。本文我们主要介绍在 Golang 语言中,如何使用接口编程?以及接口的使用技巧。

02

接口编程

在 Golang 应用开发中,除了使用 Func,我们还经常会用到 Method,比如:

示例代码:

type Cat struct {
name string
}

func (c Cat) Eat() {
fmt.Printf("%s 正在吃饭\n", c.name)
}

func main () {
c := Cat{name: "kitty"}
c.Eat()
}

阅读上面这段代码,我们定义了一个 Cat 结构体,然后实现 Eat 方法。在 Golang 语言中,使用 Method 和使用 Func 的区别是,使用 Method 可以将类型和方法封装在一起,实现强耦合。

但是,如果我们除了 Cat 之外,现在又新增了 Dog,也要实现 Eat 方法。我们除了也定义一个 Dog 结构体,然后实现 Eat 方法之外。还可以定义一个 Animal 接口,实现多态。

示例代码:

type Animal interface {
Eat()
}

type Cat struct {
name string
}

type Dog struct {
name string
}

func (c Cat) Eat() {
fmt.Printf("%s 正在吃饭\n", c.name)
}

func (c Cat) Sleep() {
fmt.Printf("%s 正在睡觉\n", c.name)
}

func (d Dog) Eat() {
fmt.Printf("%s 正在吃饭\n", d.name)
}

func main () {
var a Animal
c := Cat{name: "kitty"}
d := Dog{name: "101"}
a = c
a.Eat()
a = d
a.Eat()
}

阅读上面这段代码,我们定义了一个包含 Eat() 方法的接口 Animal,Cat 和 Dog 分别实现 Animal 接口的 Eat() 方法,然后就可以通过将 Cat 类型和 Dog 类型的变量赋值给 Animal 接口,实现多态。

除此之外,我们还可以对上面这段代码进一步优化,上面这段代码虽然实现了多态,但是实现上有些繁琐。我们可以声明一个接收 Animal 接口类型参数的函数 AnimalAction()

示例代码:

type Animal interface {
Action() string
}

type Cat struct {
name string
}

type Dog struct {
name string
}

func (c Cat) Action() string {
return fmt.Sprintf("Cat %s 正在吃饭", c.name)
}

func (d Dog) Action() string {
return fmt.Sprintf("Dog %s 正在吃饭", d.name)
}

func AnimalAction (a Animal) {
fmt.Println(a.Action())
}

func main () {
c := Cat{name: "Kitty"}
AnimalAction(c)
d := Dog{name: "101"}
AnimalAction(d)
}

阅读上面这段代码,是否感觉似曾相识。在 Golang 语言标准库中有很多这种用法。

03

接口使用技巧

04

总结

本文我们介绍了如何使用接口编程,通过一个简单示例,循序渐进地介绍了接口编程的使用方式,此外,我们还介绍了一些接口使用技巧。

建议读者朋友们动手敲一下示例代码,通过亲自运行代码加深理解。关于接口本身的介绍,读者朋友们可以按需阅读推荐列表中的相关文章。

推荐阅读:

Go语言学习之 interface** **

Go team 开源项目 Go Cloud 使用的依赖注入工具 Wire 怎么使用?

怎么发布 Go Modules v1 版本?

Go Modules 如何创建和发布 v2 及更高版本?

保持 Modules 的兼容性

参考资料:

https://golang.org/doc/effective_go#interfaces_and_types

标签:name,编程,Dog,接口,Cat,Animal,go,Eat
来源: https://www.cnblogs.com/root-123/p/16572306.html