多态行为

    Go语言里定义的方法集的规则是:
    从值的角度来看规则

    Values Methods Receivers
    T (t T)
    *T (t T) and (t *T)

    T类型的值的方法集只包含值接收者声明的方法。而指向T类型的指针的方法集既包含值接收者声明的方法,也包含指针接收者声明的方法。
    从接收者的角度来看规则

    Values Methods Receivers
    (t T) T and *T
    (t *T) *T

    即:使用指针接收者来实现一个接口,那么只有指向那个类型的指针才能够调用对应的接口。如果使用值接收者来实现一个接口,那么那个类型的值和指针都能够调用对应的接口。

    1. package main
    2. import (
    3. "fmt"
    4. )
    5. type notifier interface {
    6. notify()
    7. }
    8. type user struct {
    9. name string
    10. email string
    11. }
    12. func (u *user) notify() {
    13. fmt.Println("send user email to ", u.name, u.email)
    14. }
    15. type admin struct {
    16. name string
    17. email string
    18. }
    19. func (a *admin) notify() {
    20. fmt.Println("send user email to ", a.name, a.email)
    21. }
    22. func sendNotification(n notifier) {
    23. n.notify()
    24. }
    25. func main() {
    26. u := user{"bill", "qq.com"}
    27. a := admin{"lisa", "sina.com"}
    28. //sendNotification(u) // 此操作将编译不通过,不满足方法集规则
    29. sendNotification(&u)
    30. sendNotification(&a)
    31. }

    内嵌类型

    1. package main
    2. import (
    3. "fmt"
    4. )
    5. type notifier interface {
    6. notify()
    7. }
    8. type user struct {
    9. name string
    10. email string
    11. }
    12. func (u *user) notify() {
    13. fmt.Println("send user email to ", u.name, u.email)
    14. }
    15. type admin struct {
    16. /*
    17. 这里admin并不是一个user,而是包含关系。
    18. 从实现的角度上,内嵌字段会指导编译器生成额外的包装方法来委托已经声明好的方法,与下面形式是等价的
    19. func (a admin) notify(){
    20. }
    21. */
    22. user // 匿名声明,将user 提升为admin的内部类型,包含其方法和属性
    23. }
    24. func (a *admin) notify() {
    25. fmt.Println("send super email to ", a.name, a.email)
    26. }
    27. func sendNotification(n notifier) {
    28. n.notify()
    29. }
    30. func main() {
    31. //u := user{"bill", "qq.com"}
    32. a := admin{
    33. user{"lisa", "sina.com"},
    34. }
    35. //sendNotification(&u)
    36. sendNotification(&a)
    37. a.notify() // 若admin没有实现notify 则调用提升后的内部类方法,否则调用自己的方法
    38. a.user.notify() // 调用内部类方法
    39. }