小编典典

在Go中拆封时如何识别无效值和未指定的字段?

go

我想知道是否可以区分void值和未指定的字段值。

这是一个例子:

var jsonBlob = []byte(`[
    {"Name": "A", "Description": "Monotremata"},
    {"Name": "B"},
    {"Name": "C", "Description": ""}
]`)

type Category struct {
    Name  string
    Description string
}

var categories []Category
err := json.Unmarshal(jsonBlob, &categories)

if err != nil {
    fmt.Println("error:", err)
}
fmt.Printf("%+v", categories)

也可以在这里找到:https//play.golang.org/p/NKObQB5j4O

输出:

[{Name:A Description:Monotremata} {Name:B Description:} {Name:C Description:}]

因此,在此示例中,是否可以将类别B中的描述与类别C中的描述区分开?

我只是希望能够区分它们以在程序中具有不同的行为。


阅读 204

收藏
2020-07-02

共1个答案

小编典典

如果将字段类型更改为指针,则可以区分空值和缺失值。如果该值存在于JSON中且带有空字符串值,则它将被设置为指向空字符串的指针。如果它不存在于JSON中,它将被保留nil

type Category struct {
    Name        string
    Description *string
}

输出(在Go Playground上尝试):

[{Name:A Description:0x1050c150} {Name:B Description:<nil>} {Name:C Description:0x1050c158}]
2020-07-02