根据反射文档,reflect.Value.MapIndex()
应该返回一个reflect.Value
,它表示存储在映射的特定键处的数据的值。所以我的理解是,以下两个表达应该是相同的。在第一种情况下,我们从 MapIndex()
.在第二种情况下,我们通过MapIndex()
获取其基础数据,然后对其进行reflect.ValueOf()
来获得结果。
reflect.ValueOf(map).MapIndex("Key")
reflect.ValueOf(reflect.ValueOf(map).MapIndex("Key").Interface())
为什么需要额外的reflect.ValueOf()
?
示例代码:
package main
import "fmt"
import "reflect"
func main() {
test := map[string]interface{}{"First": "firstValue"}
Pass(test)
}
func Pass(d interface{}) {
mydata := reflect.ValueOf(d).MapIndex(reflect.ValueOf("First"))
fmt.Printf("Value: %+v n", mydata.Interface())
fmt.Printf("Kind: %+v n", mydata.Kind())
fmt.Printf("Kind2: %+v n", reflect.ValueOf(mydata.Interface()).Kind())
}
去玩:http://play.golang.org/p/TG4SzrtTf0
在考虑了一段时间之后,这属于duh类别。它与 Go 中interfaces
的性质有关,Go 是指向其他事物的参考对象。我已经明确声明我的映射是map[string]interface{}
这意味着每个键位置的值是一个interface{}
,而不是一个字符串,所以收到一个包含interface{}
的reflect.Value
我真的不应该感到惊讶。
附加reflect.ValueOf()
更深入一层以获得interface{}
的基础价值。我创建了两个示例,我相信这两个示例都证实了这种行为。
使用map[string]Stringer
自定义界面的示例:http://play.golang.org/p/zXCn9Fce3Q
package main
import "fmt"
import "reflect"
type Test struct {
Data string
}
func (t Test) GetData() string {
return t.Data
}
type Stringer interface {
GetData() string
}
func main() {
test := map[string]Stringer{"First": Test{Data: "testing"}}
Pass(test)
}
func Pass(d interface{}) {
mydata := reflect.ValueOf(d).MapIndex(reflect.ValueOf("First"))
fmt.Printf("Value: %+v n", mydata.Interface())
fmt.Printf("Kind: %+v n", mydata.Kind())
fmt.Printf("Kind2: %+v n", reflect.ValueOf(mydata.Interface()).Kind())
}
返回
Value: {Data:testing}
Kind: interface
Kind2: struct
使用map[string]string
的示例:http://play.golang.org/p/vXuPzmObgN
package main
import "fmt"
import "reflect"
func main() {
test := map[string]string{"First": "firstValue"}
Pass(test)
}
func Pass(d interface{}) {
mydata := reflect.ValueOf(d).MapIndex(reflect.ValueOf("First"))
fmt.Printf("Value: %+v n", mydata.Interface())
fmt.Printf("Kind: %+v n", mydata.Kind())
fmt.Printf("Kind2: %+v n", reflect.ValueOf(mydata.Interface()).Kind())
}
返回
Value: firstValue
Kind: string
Kind2: string
func Pass(d interface{}) {
mydata := reflect.ValueOf(d).MapIndex(reflect.ValueOf("First"))
fmt.Printf("Value: %+v n", mydata.Interface())
fmt.Printf("Kind: %+v n", mydata.Kind())
在程序的这一点上,mydata 是一个接口,所以当调用 Kind(( 时,Go 会这样报告它也就不足为奇了。
fmt.Printf("Kind2: %+v n", reflect.ValueOf(mydata.Interface()).Kind())
分解一下:
s := mydata.Interface() // s is a string
v := reflect.ValueOf(s) // v is a reflect.Value
k := v.Kind() // k is a reflect.Kind "string"
我认为您可能会被您的地图包含接口而不是字符串的事实绊倒。