如何将JSON解组到接口和使用数组中

时间:2018-06-05 23:14:26

标签: json go interface unmarshalling

我很难理解如何正确地解组进入类型接口数组然后使用它的一些JSON数据。我试图让这个示例代码尽可能简单,以说明我遇到的问题。代码可以在这里的操场上找到:https://play.golang.org/p/U85J_lBJ7Zr

输出如下:

  

[map [ObjectType:chair ID:1234 Brand:Blue Inc.] map [ID:5678   位置:Kitchen ObjectType:table]] {} false {} false

代码

package main

import (
    "fmt"
    "encoding/json"
)

type Chair struct {
    ObjectType string
    ID string
    Brand string
}

type Table struct {
    ObjectType string
    ID string
    Location string
}

type House struct {
    Name string
    Objects []interface{}
}



func main() {
    var h House
    data := returnJSONBlob()
    err := json.Unmarshal(data, &h)
    if err != nil {
       fmt.Println(err)
    }
    fmt.Println(h.Objects)
    s1, ok := h.Objects[0].(Table)
    fmt.Println(s1, ok)
    s2, ok := h.Objects[0].(Chair)
    fmt.Println(s2, ok)

}

func returnJSONBlob() []byte {
    s := []byte(`
{
  "Name": "house1",
  "Objects": [
    {
      "ObjectType": "chair",
      "ID": "1234",
      "Brand": "Blue Inc."
    },
    {
      "ObjectType": "table",
      "ID": "5678",
      "Location": "Kitchen"
    }
  ]
}
    `)
    return s
}

1 个答案:

答案 0 :(得分:1)

我不确定这是否实用,因为这是您的方案的简化版本。但是,一种方法是将两种对象类型合并为一种新的Object,然后将它们直接解组为Object,而不是使用interface{}

package main

import (
    "encoding/json"
    "fmt"
)

type Object struct {
    ObjectType string
    ID         string
    Brand      string
    Location   string
}

type House struct {
    Name    string
    Objects []Object
}

func returnJSONBlob() []byte {
    s := []byte(`
{
  "Name": "house1",
  "Objects": [
    {
      "ObjectType": "chair",
      "ID": "1234",
      "Brand": "Blue Inc."
    },
    {
      "ObjectType": "table",
      "ID": "5678",
      "Location": "Kitchen"
    }
  ]
}
    `)
    return s
}

func main() {
    var h House
    data := returnJSONBlob()
    err := json.Unmarshal(data, &h)
    if err != nil {
        fmt.Println(err)
    }
    fmt.Println(h.Objects[0].Brand)
    fmt.Println(h.Objects[1].Location)

}

打印:

  

Blue Inc。

     

厨房

此处示例:https://play.golang.org/p/91F4UrQlSjJ