在 Go 中,类型开关允许您将一个值与多个类型进行匹配。然而,当在类型切换中使用多种情况时,理解变量类型赋值变得至关重要。
考虑以下代码片段:
package main import ( "fmt" ) type A struct { a int } func (this *A) test() { fmt.Println(this) } type B struct { A } func main() { var foo interface{} foo = A{} switch a := foo.(type) { case B, A: a.test() } }
执行此代码时,会引发错误: .test undefined(类型interface {}是没有方法的接口)。发生此错误的原因是,尽管有类型切换,变量 a 仍保留了类型 interface{}。
要理解此行为,我们需要参考 Go 规范:
“TypeSwitchGuard 可能包括当使用该形式时,变量在每个子句中的隐式块的开头声明,而在 case 中,该变量具有该类型;否则,该变量具有该类型。这TypeSwitchGuard 中的表达式。"
在我们的例子中,由于 case 子句中指定了多种类型(B 和 A),因此变量 a 保留 TypeSwitchGuard 中表达式的类型,即 interface{}。这意味着编译器不允许我们在 a 上调用 test() 方法,因为 interface{} 没有 test() 方法。
为了解决这个问题,我们可以使用类型断言,它允许我们断言一个值具有特定类型。这是使用类型断言的代码的更新版本:
package main import ( "fmt" ) type A struct { a int } func (this *A) test() { fmt.Println(this) } type B struct { A } func main() { var foo interface{} foo = &B{} if a, ok := foo.(tester); ok { fmt.Println("foo has test() method") a.test() } }
以上是为什么 Go 中具有多个 case 的类型切换会导致'未定义”方法错误?的详细内容。更多信息请关注PHP中文网其他相关文章!