9

我想将 JSON blob 解码为 Go 结构,对其进行操作,然后将其编码回 JSON。但是,JSON 中有一些与我的结构无关的动态字段,我想在序列化回 JSON 时维护它们。

例如:

{ "name": "Joe Smith", 
  "age": 42, 
  "phone": "614-555-1212", 
  "debug": True, 
  "codeword": "wolf" }

type Person struct {
    Name string
    Age uint
    Phone string
}

var p Person
json.Unmarshal(data, &p)
// Happy birthday
p.Age++
data, _ = json.Marshal(p)

// Any way to maintain the "debug" and "codeword" fields -- which might not
// be known ahead of time?

我知道一种可能性是将所有内容解码为一个map[string]interface{}男孩,当你这样做时事情会变得丑陋。

有没有办法两全其美?

4

3 回答 3

7

由于encoding/json无法解码结构并将未知字段保存在同一级别以进行后重新编码。您可以做的是选择不使用json.RawMessage类型解码部分结构,如下所示:

type Person struct {
    Name    string
    Address json.RawMessage
}

您可以通过实现自己的Unmarshaler将文档解码为映射并将未知键保存在结构的字段中,然后有一个对应的Marshaler在编组之前将字段放回原处来解决这个问题。

只是出于好奇,您正在寻找的功能确实存在于labix.org/v2/mgo/bson中,通过内联标记标志,目标是精确解决您描述的用例。

于 2013-09-12T16:43:07.117 回答
3

原来我写了自己的库来做到这一点:https ://github.com/joeshaw/json-lossless

它建立在go-simplejson之上,每当结构被编组或解组时,将解析的 JSON 状态保持simplejson.Json在它和结构之间的代理状态。

示例用法:

package main

import (
    "encoding/json"
    "fmt"
    "time"

    "github.com/joeshaw/json-lossless"
)

type Person struct {
    lossless.JSON       `json:"-"`

    Name string         `json:"name"`
    Age int             `json:"age"`
    Birthdate time.Time `json:"birthdate"`
}

func (p *Person) UnmarshalJSON(data []byte) error {
    return p.JSON.UnmarshalJSON(p, data)
}

func (p Person) MarshalJSON() []byte, error) {
    return p.JSON.MarshalJSON(p)
}

var jsondata = []byte(`
{"name": "David Von Wolf",
 "age": 33,
 "birthdate": "1980-09-16T10:44:40.295451647-04:00",
 "phone": "614-555-1212"}
`)

func main() {
    var p Person
    err := json.Unmarshal(jsondata, &p)
    if err != nil {
        panic(err)
    }

    // Set values on the struct
    p.Age++

    // Set arbitrary keys not in the struct
    p.Set("title", "Chief Wolf")

    fmt.Printf("%#v\n", p)

    data, err := json.Marshal(p)
    if err != nil {
        panic(err)
    }

    fmt.Println(string(data))
}

打印件(为便于阅读而格式化):

main.Person{JSON:lossless.JSON{json:(*simplejson.Json)(0x21020a190)}, 
            Name:"David Von Wolf", 
            Age:34, 
            Birthdate:time.Time{sec:62473560280, 
                                nsec:295451647, 
                                loc:(*time.Location)(0x16de60)}}
{"age":34,
 "birthdate":"1980-09-16T10:44:40.295451647-04:00",
 "name":"David Von Wolf",
 "phone":"614-555-1212",
 "title": "Chief Wolf"}
于 2013-09-17T15:58:02.053 回答
1

go-simplejson对于这类工作来说很方便。

于 2013-09-13T03:29:49.043 回答