Golang 中的错误:“无法在非接口值上进行类型切换”
使用类型断言时,您可能会遇到错误“无法在非接口值上键入 switch。”当尝试对不是接口的值执行类型切换时,会发生这种情况。
在 Golang 中,类型切换允许您根据变量的类型有条件地执行代码。但是,它要求变量是接口类型。接口表示一个契约,它定义了实现类型必须实现的一组方法。
在提供的代码片段中,使用单个 String() 方法定义了名为 Stringer 的类型。 Number 类型还实现了 String() 方法,使其成为 Stringer 接口的具体实现。
type Stringer interface { String() string } type Number struct { v int } func (number *Number) String() string { return strconv.Itoa(number.v) }
但是,错误发生在 main 函数中,其中尝试对 n 变量进行类型切换,其类型为 *Number 而不是 Stringer。
func main() { n := &Number{1} switch v := n.(type) { case Stringer: fmt.Println("Stringer:", v) default: fmt.Println("Unknown") } }
要解决此问题,您需要在执行类型断言之前将 n 强制转换为 interface{}。这是因为 interface{} 可以表示任意值。
func main() { n := &Number{1} switch v := interface{}(n).(type) { case Stringer: fmt.Println("Stringer:", v) default: fmt.Println("Unknown") } }
通过将 n 强制转换为 interface{},本质上允许类型切换考虑 n 可能是 Stringer 类型的可能性。一旦输入类型开关,就可以确定 n 的实际类型并执行适当的 case 分支。
以上是为什么在 Golang 中出现'无法在非接口值上键入切换”错误?的详细内容。更多信息请关注PHP中文网其他相关文章!