golang 编译提示 cannot assign interface {} 和golang断言使用

golang 编译提示 cannot assign interface {} 和golang断言使用:

从sync.Map中读取值的时候出现如下编译错误,因为返回的是interface类型,需要做转换才能使用,golang提供了类型断言来实现这类转换:

(type interface {} is interface with no methods)

格式如下:

t := i.(T)
这个表达式意思是接口i是T类型,并将它的值赋值给t。
如果i不是类型T,则这样写会引起panic。

为了防止panic,可能写成下面这样:

t, ok := i.(T)
如果接口i的类型是T,则ok则为true,否则为false。

用例:

package main

import "fmt"

func main() {
	var i interface{} = "hello"

	s := i.(string)
	fmt.Println(s)

	s, ok := i.(string)
	fmt.Println(s, ok)

	f, ok := i.(float64)
	fmt.Println(f, ok)

	f = i.(float64) // panic
	fmt.Println(f)
}

运行结果:

golang 编译提示 cannot assign interface {} 和golang断言使用_第1张图片

参考文档:

1. https://tour.golang.org/methods/7

2. https://www.cnblogs.com/xiaopipi/p/4889212.html

你可能感兴趣的:(Go语言开发)