了解 Go 接口实现的接收者类型
在 Go 中,方法可以有任一值接收者 (func (t T) m())或 struct 类型的指针接收器 (func (t *T) m())。接收者类型决定了调用方法时应使用的值。
考虑以下代码:
import "fmt" type greeter interface { hello() goodbye() } type tourGuide struct { name string } func (t tourGuide) hello() { fmt.Println("Hello", t.name) } func (t *tourGuide) goodbye() { fmt.Println("Goodbye", t.name) } func main() { var t1 tourGuide = tourGuide{"James"} t1.hello() // Hello James t1.goodbye() // Goodbye James (same as (&t1).goodbye()) var t2 *tourGuide = &tourGuide{"Smith"} t2.hello() // Hello Smith t2.goodbye() // Goodbye Smith (same as (*t2).hello()) // illegal: t1 is not assignable to g1 (why?) // var g1 greeter = t1 var g2 greeter = t2 g2.hello() // Hello Smith g2.goodbye() // Goodbye Smith }
您可能想知道为什么可以使用变量 t1 调用tourGuide 的方法tourGuide 类型或 *tourGuide 类型的指针 t2,但不能将 t1 分配给类型为 g1 的接口变量greeter.
原因在于接口方法的接收者类型。在这种情况下,hello 和 goodbye 都有指针接收器。因此,只有指针值可以用作接收器值。
当您调用 t1.hello() 和 t1.goodbye() 时,编译器会自动获取 t1 的地址并将其用作接收器,因为 t1 是一个可寻址的值。
但是,当您尝试将 t1 分配给 g1 时,编译器会发现 t1 不是指针值,而是tourGuide 类型的值。接口是不可寻址的,因此编译器无法获取 t1 的地址并将其分配给 g1。
总之,指针接收器需要指针值来调用方法,而值接收器可以使用值来调用或指针。当使用指针接收器方法实现接口时,只能将指针值分配给接口。
以上是为什么我无法在 Go 中使用指针接收器方法将值接收器分配给接口?的详细内容。更多信息请关注PHP中文网其他相关文章!