在 GO 中解组嵌套 JSON 个对象

Unmarshalling nested JSON objects in GO

我将所有对象共有的一些属性组合到一个结构中。

type Document struct {
    ID        string    `json:"_id,omitempty"`
    UpdatedAt time.Time `json:"updatedat"`
    CreatedAt time.Time `json:"createdat"`
}

我还有一个地址结构,它不是文档。

type Address struct {
    AddressLine string `json:"addressline,omitempty"`
    City        string `json:"city,omitempty"`
    Country     string `json:"country,omitempty"`
    CityCode    int    `json:"citycode,omitempty"`
}

我的客户结构是一个文档。它还有一个地址 属性.

type Customer struct {
    Document `json:"document"`
    Address  Address `json:"address"`
    Name     string  `json:"name,omitempty"`
    Email    string  `json:"email,omitempty"`
    Valid    bool    `json:"valid,omitempty"`
}

来自MongoDB的JSON对象如下;

[
    {
        "_id": "6186b4556971a9dbae117333",
        "address": {
            "addressline": "Foo Address",
            "city": "Foo City",
            "citycode": 0,
            "country": "Foo Country"
        },
        "document": {
            "createdat": "0001-01-01T03:00:00+03:00",
            "updatedat": "0001-01-01T03:00:00+03:00"
        },
        "email": "foo@mail.com",
        "name": "Foo Fooster",
        "valid": false
    }
]

我正在使用以下代码对此进行解组。

    var customerEntity Entities.Customer
    json.Unmarshal(customerEntityBytes, &customerEntity)

但我只能得到以下一行。大多数字段为空。

{{ 0001-01-01 00:00:00 +0000 UTC 0001-01-01 00:00:00 +0000 UTC} {   0}   false}

我认为这是由于混合嵌套结构造成的,因此我创建了另一个客户结构用于测试目的;

import "time"

type AutoGenerated []struct {
    ID      string `json:"_id"`
    Address struct {
        Addressline string `json:"addressline"`
        City        string `json:"city"`
        Citycode    int    `json:"citycode"`
        Country     string `json:"country"`
    } `json:"address"`
    Document struct {
        Createdat time.Time `json:"createdat"`
        Updatedat time.Time `json:"updatedat"`
    } `json:"document"`
    Email string `json:"email"`
    Name  string `json:"name"`
    Valid bool   `json:"valid"`
}

突然间整个问题都解决了,我可以在所有字段都填满的情况下访问它。

总而言之,我无法解组我想使用的 Custumer 结构。我是否需要为此重写 unmarshall 方法?我还查看了覆盖示例,但代码非常主观。我将在 base 类 中进行的更改将导致我更改 unmarshall 方法。什么是干净的方法?

始终检查错误。

err = json.Unmarshal(customerEntityBytes, &customerEntity)
if err != nil {
    // json: cannot unmarshal array into Go value of type Entities.Customer
}

原因是,正如@mkopriva 指出的那样 - 您的 JSON 是一个数组 - 您正在解组为单个结构。修复:

 var customerEntity []Entities.Customer // use slice to capture JSON array
 err = json.Unmarshal(customerEntityBytes, &customerEntity)
 if err != nil { /* ... */ }

您当然可以使用您的自定义类型,但是您将丢失 _id 标记,因为它嵌套在您的 Document 结构中。要修复,将其提升为 Customer:

type Document struct {
    //ID        string    `json:"_id,omitempty"`
    UpdatedAt time.Time `json:"updatedat"`
    CreatedAt time.Time `json:"createdat"`
}

type Customer struct {
    ID       string `json:"_id,omitempty"`
    
    // ...
}

工作示例:https://play.golang.org/p/EMcC0d1xOLf