当使用interface{}as函数参数类型,给定非指针类型并json.Unmarshal与之一起使用时,我在Go中遇到了一个错误。
interface{}
json.Unmarshal
因为一段代码值得一千个单词,所以下面是一个示例:
package main import ( "encoding/json" "fmt" ) func test(i interface{}) { j := []byte(`{ "foo": "bar" }`) fmt.Printf("%T\n", i) fmt.Printf("%T\n", &i) json.Unmarshal(j, &i) fmt.Printf("%T\n", i) } type Test struct { Foo string } func main() { test(Test{}) }
哪个输出:
main.Test *interface {} map[string]interface {}
json.Unmarshal把我的结构变成一个map[string]interface{}…
map[string]interface{}
稍后再读一些内容,interface{}可以解释其中的一部分,它本身就是一种类型,而不是某种无类型的容器,它解释了*interface{},以及json.Unmarshal无法获取初始类型并返回map[string]interface{}。的事实。
*interface{}
从Unmarshal文档:
Unmarshal
要将JSON解组为接口值,Unmarshal将其中之一存储在接口值中:[…]
如果我像这样传递一个指向测试函数的指针,它将起作用:
func test(i interface{}) { j := []byte(`{ "foo": "bar" }`) fmt.Printf("%T\n", i) fmt.Printf("%T\n", &i) json.Unmarshal(j, i) fmt.Printf("%T\n", i) fmt.Println(i) } func main() { test(&Test{}) }
*main.Test *interface {} *main.Test &{bar}
太好了,数据已经解组了,所有,现在,在第二个片段中,我&在调用时删除了Unmarshal。因为我有*Testin i,所以没有用。
&
*Test
i
所以,在所有的逻辑,如果我把回&至i调用时Unmarshal它应该乱用i的型试。但不是。
如果我运行:
func test(i interface{}) { j := []byte(`{ "foo": "bar" }`) fmt.Printf("%T\n", i) fmt.Printf("%T\n", &i) json.Unmarshal(j, &i) fmt.Printf("%T\n", i) fmt.Println(i) } func main() { test(&Test{}) }
好吧,它仍然有效:
现在,我无法使用Google搜索查询了。
interface{}是任何值和任何类型的包装。一个接口示意性地包装了(value; type)一对,具体值及其类型。关于此的更多详细信息:反射定律#接口的表示。
(value; type)
json.Unmarshal()已经采用type的值interface{}:
json.Unmarshal()
func Unmarshal(data []byte, v interface{}) error
因此,如果您已经有一个interface{}值(该函数的i interface{}参数test()),请不要尝试获取其地址,只需按原样传递它即可。
i interface{}
test()
还要注意,对于任何要修改存储在中的值的包interface{},您都需要传递一个指向它的指针。因此,应该包含i一个指针。因此正确的方案是传递*Test给test(),内部test()传递i给json.Unmarshal()(不带地址)。
当i包含*Test并传递时&i,它将起作用,因为json包将简单地取消引用*interface{}指针,并找到一个interface{}值,该*Test值包装了一个值。这是一个指针,所以一切都很好:将JSON对象解组为指向的Test值。
&i
json
Test
当icontains Test并通过时&i,与上述相同:*interface{}被取消引用,因此它找到一个interface{}包含非指针的:Test。由于json包不能解组为非指针值,因此必须创建一个新值。并且由于传递给json.Unmarshal()函数的值是类型的*interface{},它告诉json程序包将数据解组为类型的值interface{}。这意味着json软件包可以自由选择要使用的类型。默认情况下,该json程序包将JSON对象解组为map[string]interface{}值,这就是创建和使用的值(并最终放入您传递的指针所指向的值中&i)。
总而言之,避免使用指向接口的指针。而是将指针“放入”接口(接口值应包装指针)。当您已经拥有interface{}一个指针时,只需将其传递即可。