Go 语言程序设计——面向对象编程(3)

方法表达式

  • 我们也可以对方法表达式进行赋值和传递
  • 方法表达式是一个必须将方法类型作为第一个参数的函数
asStringV := Part.String         // 有效签名:func(Part) string
sv := asStringV(part)
hasPrefix := Part.HasPrefix      // 有效签名:func(Part, string) bool
asStringP := (*Part).String      // 有效签名:func(*Part) string
sp := asStringP(&part)
lower := (*Part).LowerCase       //  有效签名:func(*Part)
lower(&part)
fmt.Println(sv, sp, hasPrefix(part, "w"), part)
  • 方法表达式是一种高级特性,在关键时刻非常有用
  • 自定义类型有一个潜在的致命错误,没有一个自定义类型可以保证它们初始化的数据是有效的

验证类型

  • 对于许多简单的自定义类型来说,没必要进行验证
  • 由于 Go 语言保证初始化所有变量(包括结构体的字段)为它们的零值,因此显式的结构函数就是多余的
  • Go 语言不支持构造函数,因此必须显式地调用构造函数
  • 例子:
type Place struct {
  latitude, longitude float64
  Name string
}
func New(latitude, longitude float64, name string) *Place {
  return &Place{ saneAngle(0, latitude), saneAngle(0, longitude), name }
}
func (place *Place) Latitude() float64 { return place.latitude }
func (place *Place) SetLatitude(latitude float64) {
  place.latitude = saneAngle(place.latitude, latitude)
}
func (place *Place) Longitude() float64 { return place.longitude }
func (place *Place) SetLongitude(longitude float64) {
  place.longitude = saneAngle(place.longitude, longitude)
}
func (place *Place) String() string {
  return fmt.Sprintf("(%.3f, %3f) %q", place.latitude, place.longitude, place.Name)
}
func (original *Place) Copy() *Place {
  return &Place{ original.latitude, original.longitude, original.Name }
}

接口(1)

  • 接口是一个自定义类型,它声明了一个或者多个方法的签名
  • 接口是完全抽象的,因此不能将其实例化
  • 可以创建一个其类型为接口的变量,它可以赋值为任何满足该接口类型的实际类型的值
  • interface{} 类型是声明了空方法集的接口类型
  • 无论包含不包含方法,任何一个值都满足 interface{} 类型
  • 如果一个值有方法,那么其值包含空的方法集以及它实际包括的方法,这就是 interface{} 类型可以用于任意值的原因
  • 如果我们不为有方法的值使用接口类型,我们可以使用类型断言、类型开关或者甚至是反射等方式来访问方法
  • 简单的接口例子:
type Exchanger interface {
  Exchange()
}
  • Go 语言的惯例,定义接口名字需以 er 结尾
  • 定义一个方法的接口是非常普遍的
  • 接口实际上声明的是一个 API(Application Programming Interface,程序编程接口),即 0 个或者多个方法,虽然并不明确规定这些方法所需的功能

你可能感兴趣的:(Go 语言程序设计——面向对象编程(3))