最佳答案
我很熟悉这样一个事实: 在 Go 中,界面定义的是功能,而不是数据。您将一组方法放入一个接口中,但是无法指定实现该接口的任何内容所需的任何字段。
例如:
// Interface
type Giver interface {
Give() int64
}
// One implementation
type FiveGiver struct {}
func (fg *FiveGiver) Give() int64 {
return 5
}
// Another implementation
type VarGiver struct {
number int64
}
func (vg *VarGiver) Give() int64 {
return vg.number
}
现在我们可以使用接口及其实现:
// A function that uses the interface
func GetSomething(aGiver Giver) {
fmt.Println("The Giver gives: ", aGiver.Give())
}
// Bring it all together
func main() {
fg := &FiveGiver{}
vg := &VarGiver{3}
GetSomething(fg)
GetSomething(vg)
}
/*
Resulting output:
5
3
*/
现在,你 不行要做的事情是这样的:
type Person interface {
Name string
Age int64
}
type Bob struct implements Person { // Not Go syntax!
...
}
func PrintName(aPerson Person) {
fmt.Println("Person's name is: ", aPerson.Name)
}
func main() {
b := &Bob{"Bob", 23}
PrintName(b)
}
然而,在尝试了接口和嵌入式结构之后,我发现了一种方法可以做到这一点:
type PersonProvider interface {
GetPerson() *Person
}
type Person struct {
Name string
Age int64
}
func (p *Person) GetPerson() *Person {
return p
}
type Bob struct {
FavoriteNumber int64
Person
}
由于嵌入式结构,Bob 拥有 Person 拥有的一切。它还实现了 PersonProvider 接口,因此我们可以将 Bob 传递给设计用于使用该接口的函数。
func DoBirthday(pp PersonProvider) {
pers := pp.GetPerson()
pers.Age += 1
}
func SayHi(pp PersonProvider) {
fmt.Printf("Hello, %v!\r", pp.GetPerson().Name)
}
func main() {
b := &Bob{
5,
Person{"Bob", 23},
}
DoBirthday(b)
SayHi(b)
fmt.Printf("You're %v years old now!", b.Age)
}
下面是一个 Go Playground ,它演示了上面的代码。
使用这种方法,我可以创建一个定义数据而不是行为的接口,并且可以通过嵌入该数据的任何结构来实现该接口。您可以定义与嵌入数据显式交互且不知道外部结构性质的函数。并且在编译时检查所有内容!(在我看来,唯一可能搞砸的方法是将接口 PersonProvider
嵌入到 Bob
中,而不是具体的 Person
。它会在运行时编译并失败。)
现在,我的问题是: 这是一个巧妙的把戏,还是我应该采取不同的做法?