5

这是代码

package main

import (
    "fmt"

    "encoding/json"
    "reflect"
)

var (
    datajson []byte
    //ref mapp
)

type mapp map[string]reflect.Type

type User struct {
    Name string
    //Type map[string]reflect.Type
}

func MustJSONEncode(i interface{}) []byte {
    result, err := json.Marshal(i)
    if err != nil {
        panic(err)
    }
    return result
}
func MustJSONDecode(b []byte, i interface{}) {
    err := json.Unmarshal(b, i)
    if err != nil {
        panic(err)
    }

}
func Store(a interface{}) {
    datajson = MustJSONEncode(a)
    //fmt.Println(datajson)
}

func Get(a []byte, b interface{}) {
    objType := reflect.TypeOf(b).Elem()
obj := reflect.New(objType)
//fmt.Println(obj)
MustJSONDecode(a, &obj)
fmt.Printf("%s", obj)
    }

func main() {

    dummy := &User{}
    david := User{Name: "DavidMahon"}

    Store(david)
    Get(datajson, dummy)

}

在获取函数中

func Get(a []byte, b interface{}) {
    objType := reflect.TypeOf(b).Elem()
obj := reflect.New(objType)
//fmt.Println(obj)
MustJSONDecode(a, &obj)
fmt.Printf("%s", obj)
    }

我无法将 json 解组为基础对象类型。

这里有什么问题?我被困在这里了。一些非常简单但很难弄清楚的事情。

谢谢

更新::此问题的目标是检索在 Get 函数中传递的类型的完全形成的对象。

尼克在下面的评论中提到的方法并没有让我得到我之前已经尝试过的实际对象。我无论如何都可以在这样的地图中检索数据(即使对象下面有递归对象)

func Get(a []byte) {
    var f interface{}

    //buf := bytes.NewBuffer(a)
    //v := buf.String()
    //usr := &User{}

    MustJSONDecode(a, &f)
    fmt.Printf("\n %v \n", f)
}

但是我需要返回实际对象而不仅仅是数据。像user := &User{"SomeName"}我需要user从 Unmarshall 回来的东西。诀窍在于反思,但不知道如何。

4

2 回答 2

4

我对您为什么要这样做感到困惑,但这是解决方法

func Get(a []byte, b interface{}) {
    objType := reflect.TypeOf(b).Elem()
    obj := reflect.New(objType).Interface()
    //fmt.Println(obj)
    MustJSONDecode(a, &obj)
    fmt.Printf("obj = %#v\n", obj)
}

注意对Interface()的调用。

游乐场链接

在我看来,&User当你已经有一个空的时候,你会很麻烦b,例如

func Get(a []byte, b interface{}) {
    MustJSONDecode(a, &b)
    fmt.Printf("obj = %#v\n", b)
}

但我猜这个计划还有更多内容在这里不明显!

于 2013-08-18T10:01:53.463 回答
1

reflect.New(objType)返回一个reflect.Value与您传递的接口不同的东西。根据Value It 的文档,它是一个只有未导出字段的结构。json 包不能用于未导出的字段。由于它与您传入的对象不同,而且它甚至不是 json 可编码/可解码的,因此 json 包将失败。

在尝试使用反射包时,您可能会发现反射法则文章很有用。

于 2013-08-18T03:46:16.803 回答