在go语言中我们常常需要获取某个变量的类型,其他语言如python可以使用 type(x), javascript中可以使用 typeof x 获取变量类型, Go 语言中我们也可以通过一下4种方式获取变量的类型。
- 通过 fmt.Printf 的 %T 打印变量的类型;
Go
var x float64 = 3.4
fmt.Printf("Type of x: %T\n", x)
- 通过反射获取类型 reflect.Typeof(变量) 、 reflect.ValueOf(变量).Kind() ;
Go
var x float64 = 3.4
fmt.Println("Type of x:", reflect.TypeOf(x)) // float64
// ValueOf 获取数据类型
fmt.Printf("%s \n", reflect.ValueOf(x).Kind()) // float64
- 类型断言检测变量类型
Go
var i interface{} = "Hello"
// 类型断言
s, ok := i.(string)
if ok {
fmt.Println(s)
}
- 类型选择, 与类型推断类似,也是类型检查和转换的一种方式。
Go
var i interface{} = "Hello"
// 类型选择
switch v := i.(type) {
case string:
fmt.Println(v) //
case int:
fmt.Println(v * 2)
default:
fmt.Println("Unknown type")
}