对指针的思考

时间:2018-11-23 01:36:41

标签: pointers go reflection slice

我正在尝试在存储在接口中的结构上反映指针的一部分{}

我认为我做得还不错,直到是时候反思一下指向的结构上的内容了。 参见下面的示例

package main

import (
    "fmt"
    "reflect"
)

type teststruct struct {
    prop1 string
    prop2 string
}

func main() {   
    test := teststruct{"test", "12"}

    var container interface{}

    var testcontainer []*teststruct

    testcontainer = append(testcontainer, &test)

    container = testcontainer   

    rcontainer := reflect.ValueOf(container)
    fmt.Println(rcontainer.Kind())

    rtest := rcontainer.Index(0).Elem()
    fmt.Println(rtest)

    rteststruct := reflect.ValueOf(rtest)
    fmt.Println(rteststruct.Kind())

    typeOfT := rteststruct.Type()

    for i := 0; i < rteststruct.NumField(); i++ {
        f := rteststruct.Field(i)
        fmt.Printf("%d: %s %s = %v\n", i, typeOfT.Field(i).Name, f.Type(), f.String())
    } 
}

哪个结果

slice
{test 12}
struct
0: typ *reflect.rtype = <*reflect.rtype Value>
1: ptr unsafe.Pointer = <unsafe.Pointer Value>
2: flag reflect.flag = <reflect.flag Value>

我在这里肯定缺少什么,有人可以向我解释什么?

1 个答案:

答案 0 :(得分:1)

rtest := rcontainer.Index(0).Elem()已经是值,所以当您执行以下操作:rteststruct := reflect.ValueOf(rtest)时,实际上得到的是reflect.Value,当然是struct

用以下代码替换代码的结尾:

typeOfT := rtest.Type()

for i := 0; i < rtest.NumField(); i++ {
    f := rtest.Field(i)
    fmt.Printf("%d: %s %s = %v\n", i, typeOfT.Field(i).Name, f.Type(), f.String())
}

Playground