如何将interface转为int, string, slice, struct等类型

作者: adm 分类: go 发布时间: 2021-10-15

在golang中,interface{}允许接纳任意值,intstringstruct,slice等,因此我可以很简单的将值传递到interface{}

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
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)
}
// value 允许为任意值
func test(value interface{}) {
    ...
}  

但是当我们将任意类型传入到test函数中转为interface后,经常需要进行一系列操作interface不具备的方法(即传入的User结构体,interface本身也没有所谓的Name属性),此时就需要用到interface特性type assertionstype switches,来将其转换为回原本传入的类型

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
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)
    case []int:
        // 将interface转为切片类型
        op := make([]int, 0)  //[]
        op = value.([]int)
        fmt.Println(op)
    default:
        fmt.Println("unknown")
    }
}

 

输出:

1
2
3
4
5
6
7
8
9
10
11
fidding true
fidding true
123 true
123 true
[]
[1 2 3 4 5]

可以看到我们可以对interface使用.()并在括号中传入想要解析的任何类型,形如

1
2
// 如果转换失败ok=false,转换成功ok=true
res, ok := anyInterface.(someType)

不确定interface类型时候,使用anyInterface.(type)结合switch case来做判断。

现在再回过头看上面的例子,是不是更清楚了呢

如果觉得我的文章对您有用,请随意赞赏。您的支持将鼓励我继续创作!