Go 语言接口

接口的定义

Go 语言不是一种 “传统” 的面向对象编程语言:它里面没有继承的概念。

但是 Go 语言里有非常灵活的接口概念,通过接口可以实现很多面向对象的特性。

接口定义了一组方法(方法集),但是这些方法不包含实现的代码,它们是抽象的,接口里也不能包含变量。

通过如下格式定义接口:

  1. type Namer interface {
  2. Method1(param_list) return_type
  3. Method2(param_list) return_type
  4. ...
  5. }

上面的 Namer 是一个 接口类型。

按照约定,只包含一个方法的接口名字由方法名加 [e]r 后缀组成,例如 PrinterReaderWriterLoggerConverter 等等。还有一些不常用的方式(当后缀 er 不合适时),比如 Recoverable,此时接口名以 able 结尾,或者以 I 开头(像 C#Java 中那样)。

Go 语言中的接口都很简短,通常它们会包含 0 个、最多 3 个方法。

不像大多数面向对象编程语言,在 Go 语言中接口可以有值 :var ai Namerai 是一个多字(multiword)数据结构,它的值是 nil。它本质上是一个指针,虽然不完全是一回事。指向接口值的指针是非法的,它们不仅一点用也没有,还会导致代码错误。

类型(比如结构体)可以实现某个接口的方法集,这个实现可以描述为:该类型的变量上的每一个具体方法所组成的集合,包含了该接口的方法集。实现了 Namer 接口的类型的变量可以赋值给 ai(即 receiver 的值),方法表指针(method table ptr)就指向了当前的方法实现。当另一个实现了 Namer 接口的类型的变量被赋给 aireceiver 的值和方法表指针也会相应改变。

  • 类型不需要显式声明它实现了某个接口,接口被隐式地实现。多个类型可以实现同一个接口。

  • 实现某个接口的类型(除了实现接口方法外)可以有其他的方法。

  • 一个类型可以实现多个接口。

  • 接口类型可以包含一个实例的引用, 该实例的类型实现了此接口(接口是动态类型)。即使接口在类型之后才定义,二者处于不同的包中,被单独编译:只要类型实现了接口中的方法,它就实现了此接口。

上面所有这些特性使得接口具有很大的灵活性。

示例 interfaces.go:

  1. package main
  2. import "fmt"
  3. type Shaper interface {
  4. Area() float32
  5. }
  6. type Square struct {
  7. side float32
  8. }
  9. func (sq *Square) Area() float32 {
  10. return sq.side * sq.side
  11. }
  12. func main() {
  13. sq1 := new(Square)
  14. sq1.side = 5
  15. var areaIntf Shaper
  16. areaIntf = sq1
  17. // shorter,without separate declaration:
  18. // areaIntf := Shaper(sq1)
  19. // or even:
  20. // areaIntf := sq1
  21. fmt.Printf("The square has area: %f\n", areaIntf.Area())
  22. }

输出:

  1. The square has area: 25.000000

上面的示例定义了一个结构体 Square 和一个接口 Shaper,接口有一个方法 Area()

main() 方法中创建了一个 Square 的实例。在主程序外边定义了一个接收者类型是 Square 方法的 Area(),用来计算正方形的面积:结构体 Square 实现了接口 Shaper

所以可以将一个 Square 类型的变量赋值给一个接口类型的变量:areaIntf = sq1

现在接口变量包含一个指向 Square 变量的引用,通过它可以调用 Square 上的方法 Area()。当然也可以直接在 Square 的实例上调用此方法,但是在接口实例上调用此方法可以使此方法更具有一般性。接口变量里包含了接收者实例的值和指向对应方法表的指针。

这是 多态Go 版本,多态是面向对象编程中一个广为人知的概念:根据当前的类型选择正确的方法,或者说:同一种类型在不同的实例上似乎表现出不同的行为。

如果 Square 没有实现 Area()方法,编译器将会给出清晰的错误信息:

  1. cannot use sq1 (type *Square) as type Shaper in assignment:
  2. *Square does not implement Shaper (missing Area method)

如果 Shaper 有另外一个方法 Perimeter(),但是 Square 没有实现它,即使没有人在 Square 实例上调用这个方法,编译器也会给出上面同样的错误。

扩展一下上面的例子,类型 Rectangle 也实现了 Shaper 接口。接着创建一个 Shaper 类型的数组,迭代它的每一个元素并在上面调用 Area() 方法,以此来展示多态行为:

  1. package main
  2. import "fmt"
  3. type Shaper interface {
  4. Area() float32
  5. }
  6. type Square struct {
  7. side float32
  8. }
  9. func (sq *Square) Area() float32 {
  10. return sq.side * sq.side
  11. }
  12. type Rectangle struct {
  13. length, width float32
  14. }
  15. func (r Rectangle) Area() float32 {
  16. return r.length * r.width
  17. }
  18. func main() {
  19. r := Rectangle{5, 3} // Area() of Rectangle needs a value
  20. q := &Square{5} // Area() of Square needs a pointer
  21. // shapes := []Shaper{Shaper(r), Shaper(q)}
  22. // or shorter
  23. shapes := []Shaper{r, q}
  24. fmt.Println("Looping through shapes for area ...")
  25. for n, _ := range shapes {
  26. fmt.Println("Shape details: ", shapes[n])
  27. fmt.Println("Area of this shape is: ", shapes[n].Area())
  28. }
  29. }

输出:

  1. Looping through shapes for area ...
  2. Shape details: {5 3}
  3. Area of this shape is: 15
  4. Shape details: &{5}
  5. Area of this shape is: 25

在调用 shapes[n].Area() 这个时,只知道 shapes[n] 是一个 Shaper 对象,最后它摇身一变成为了一个 SquareRectangle 对象,并且表现出了相对应的行为。

下面是一个更具体的例子:有两个类型 stockPositioncar,它们都有一个 getValue() 方法,我们可以定义一个具有此方法的接口 valuable。接着定义一个使用 valuable 类型作为参数的函数 showValue(),所有实现了 valuable 接口的类型都可以用这个函数。

  1. package main
  2. import "fmt"
  3. type stockPosition struct {
  4. ticker string
  5. sharePrice float32
  6. count float32
  7. }
  8. /* method to determine the value of a stock position */
  9. func (s stockPosition) getValue() float32 {
  10. return s.sharePrice * s.count
  11. }
  12. type car struct {
  13. make string
  14. model string
  15. price float32
  16. }
  17. /* method to determine the value of a car */
  18. func (c car) getValue() float32 {
  19. return c.price
  20. }
  21. /* contract that defines different things that have value */
  22. type valuable interface {
  23. getValue() float32
  24. }
  25. func showValue(asset valuable) {
  26. fmt.Printf("Value of the asset is %f\n", asset.getValue())
  27. }
  28. func main() {
  29. var o valuable = stockPosition{"GOOG", 577.20, 4}
  30. showValue(o)
  31. o = car{"BMW", "M3", 66500}
  32. showValue(o)
  33. }

输出:

  1. Value of the asset is 2308.800049
  2. Value of the asset is 66500.000000

下面我们看看标准库 io 包的一个例子,io 包里有一个接口类型 Reader:

  1. type Reader interface {
  2. Read(p []byte) (n int, err error)
  3. }

定义变量 r: var r io.Reader

那么就可以写如下的代码:

  1. var r io.Reader
  2. r = os.Stdin // see 12.1
  3. r = bufio.NewReader(r)
  4. r = new(bytes.Buffer)
  5. f,_ := os.Open("test.txt")
  6. r = bufio.NewReader(f)

上面 r 右边的类型都实现了 Read() 方法,并且有相同的方法签名,r的静态类型是 io.Reader

接口嵌套接口

一个接口可以包含一个或多个其他的接口,这相当于直接将这些内嵌接口的方法列举在外层接口中一样。

比如接口 File 包含了 ReadWriteLock 的所有方法,它还额外有一个 Close() 方法。

  1. type ReadWrite interface {
  2. Read(b Buffer) bool
  3. Write(b Buffer) bool
  4. }
  5. type Lock interface {
  6. Lock()
  7. Unlock()
  8. }
  9. type File interface {
  10. ReadWrite
  11. Lock
  12. Close()
  13. }

类型断言:如何检测和转换接口变量的类型

一个接口类型的变量 varI 中可以包含任何类型的值,必须有一种方式来检测它的 动态 类型,即运行时在变量中存储的值的实际类型。在执行过程中动态类型可能会有所不同,但是它总是可以分配给接口变量本身的类型。通常我们可以使用 类型断言 来测试在某个时刻 varI 是否包含类型 T的值:

  1. v := varI.(T) // unchecked type assertion

varI 必须是一个接口变量,否则编译器会报错:

  1. invalid type assertion: varI.(T) (non-interface type (type of varI) on left)

类型断言可能是无效的,虽然编译器会尽力检查转换是否有效,但是它不可能预见所有的可能性。如果转换在程序运行时失败会导致错误发生。更安全的方式是使用以下形式来进行类型断言:

  1. if v, ok := varI.(T); ok { // 检查类型的断言
  2. Process(v)
  3. return
  4. }
  5. // varI 不是 T 类型

如果转换合法,vvarI 转换到类型 T 的值,ok 会是 true;否则 v 是类型 T 的零值,ok 是 false,也没有运行时错误发生。

多数情况下,我们可能只是想在 if 中测试一下 ok 的值,此时使用以下的方法会是最方便的:

  1. if _, ok := varI.(T); ok {
  2. // ...
  3. }

示例 type_interfaces.go:

  1. package main
  2. import (
  3. "fmt"
  4. "math"
  5. )
  6. type Square struct {
  7. side float32
  8. }
  9. type Circle struct {
  10. radius float32
  11. }
  12. type Shaper interface {
  13. Area() float32
  14. }
  15. func main() {
  16. var areaIntf Shaper
  17. sq1 := new(Square)
  18. sq1.side = 5
  19. areaIntf = sq1
  20. // Is Square the type of areaIntf?
  21. if t, ok := areaIntf.(*Square); ok {
  22. fmt.Printf("The type of areaIntf is: %T\n", t)
  23. }
  24. if u, ok := areaIntf.(*Circle); ok {
  25. fmt.Printf("The type of areaIntf is: %T\n", u)
  26. } else {
  27. fmt.Println("areaIntf does not contain a variable of type Circle")
  28. }
  29. }
  30. func (sq *Square) Area() float32 {
  31. return sq.side * sq.side
  32. }
  33. func (ci *Circle) Area() float32 {
  34. return ci.radius * ci.radius * math.Pi
  35. }

输出:

  1. The type of areaIntf is: *main.Square
  2. areaIntf does not contain a variable of type Circle

程序中定义了一个新类型 Circle,它也实现了 Shaper 接口。 if t, ok := areaIntf.(*Square); ok 测试 areaIntf 里是否有一个包含 *Square 类型的变量,结果是 true;然后我们测试它是否包含一个 *Circle 类型的变量,结果是 false

备注

如果忽略 areaIntf.(*Square)中的 * 号,会导致编译错误:

  1. impossible type assertion: Square does not implement Shaper (Area method has pointer receiver)。

类型判断:type-switch

接口变量的类型也可以使用一种特殊形式的 switch 来检测:type-switch

  1. switch t := areaIntf.(type) {
  2. case *Square:
  3. fmt.Printf("Type Square %T with value %v\n", t, t)
  4. case *Circle:
  5. fmt.Printf("Type Circle %T with value %v\n", t, t)
  6. case nil:
  7. fmt.Printf("nil value: nothing to check?\n")
  8. default:
  9. fmt.Printf("Unexpected type %T\n", t)
  10. }

输出:

  1. Type Square *main.Square with value &{5}

变量 t 得到了 areaIntf 的值和类型, 所有 case 语句中列举的类型(nil 除外)都必须实现对应的接口(在上例中即 Shaper),如果被检测类型没有在 case 语句列举的类型中,就会执行 default 语句。

可以用 type-switch 进行运行时类型分析,但是在 type-switch 不允许有 fallthrough

如果仅仅是测试变量的类型,不用它的值,那么就可以不需要赋值语句,比如:

  1. switch areaIntf.(type) {
  2. case *Square:
  3. // TODO
  4. case *Circle:
  5. // TODO
  6. ...
  7. default:
  8. // TODO
  9. }

下面的代码片段展示了一个类型分类函数,它有一个可变长度参数,可以是任意类型的数组,它会根据数组元素的实际类型执行不同的动作:

  1. func classifier(items ...interface{}) {
  2. for i, x := range items {
  3. switch x.(type) {
  4. case bool:
  5. fmt.Printf("Param #%d is a bool\n", i)
  6. case float64:
  7. fmt.Printf("Param #%d is a float64\n", i)
  8. case int, int64:
  9. fmt.Printf("Param #%d is a int\n", i)
  10. case nil:
  11. fmt.Printf("Param #%d is a nil\n", i)
  12. case string:
  13. fmt.Printf("Param #%d is a string\n", i)
  14. default:
  15. fmt.Printf("Param #%d is unknown\n", i)
  16. }
  17. }
  18. }

可以这样调用此方法:classifier(13, -14.3, "BELGIUM", complex(1, 2), nil, false)

在处理来自于外部的、类型未知的数据时,比如解析诸如 JSONXML 编码的数据,类型测试和转换会非常有用。

测试一个值是否实现了某个接口

假定 v 是一个值,然后我们想测试它是否实现了 Stringer 接口,可以这样做:

  1. type Stringer interface {
  2. String() string
  3. }
  4. if sv, ok := v.(Stringer); ok {
  5. fmt.Printf("v implements String(): %s\n", sv.String()) // note: sv, not v
  6. }

Print 函数就是如此检测类型是否可以打印自身的。

接口是一种契约,实现类型必须满足它,它描述了类型的行为,规定类型可以做什么。接口彻底将类型能做什么,以及如何做分离开来,使得相同接口的变量在不同的时刻表现出不同的行为,这就是多态的本质。

编写参数是接口变量的函数,这使得它们更具有一般性。

使用接口使代码更具有普适性。

标准库里随处可见的接口都使用了这个原则,如果对接口概念没有良好的把握,是不可能理解它是如何构建的。