Go将interface转为int,string,slice,struct等类型
在golang中,interface{}允许接纳任意值,int, string, struct,slice等,因此我可以很简单的将值传递到interface{}
但是当我们将任意类型传⼊到test函数中转为interface后,经常需要进⾏⼀系列操作interface不具备的⽅法(即传⼊的User结构体,interface本⾝也没有所谓的Name属性),此时就需要⽤到interface特性type assertions和type switches,来将其转换为回原本传⼊的类型
package main
import (
"fmt"
)
type User struct{
Name string
}
func main() {
any := User{
Name: "fidding",
}
test(any)
any2 := "fidding"
test(any2)
any3 := int32(123)
test(any3)
any4 := int64(123)
test(any4)
any5 := []int{1, 2, 3, 4, 5}
test(any5)
}
func test(value interface{}) {
switch value.(type) {
case string:
// 将interface转为string字符串类型
op, ok := value.(string)
fmt.Println(op, ok)
case int32:
/
/ 将interface转为int32类型
op, ok := value.(int32)
fmt.Println(op, ok)
case int64:
// 将interface转为int64类型
op, ok := value.(int64)
fmt.Println(op, ok)
case User:
// 将interface转为User struct类型,并使⽤其Name对象
op, ok := value.(User)
fmt.Println(op.Name, ok)
字符串截取方法slice
case []int:
// 将interface转为切⽚类型
op := make([]int, 0)  //[]
op = value.([]int)
fmt.Println(op)
default:
fmt.Println("unknown")
}
}
输出结果:
可以看到我们可以对interface使⽤.()并在括号中传⼊想要解析的任何类型,例如// 如果转换失败ok=false,转换成功ok=true
res, ok := anyInterface.(someType)
不确定interface类型时候,使⽤anyInterface.(type)结合switch case来做判断。
现在再回过头看上⾯的例⼦,是不是更清楚了呢

版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。