编组时忽略JSON标记

时间:2014-10-17 14:00:48

标签: json go

我从外部源获取JSON数据。这个JSON中的字段名称不是我想随身携带的,所以我将它们转换为使用json:"originalname"标签对我有意义的名称。

当我将这样的对象编组回JSON时,我自然会再次获得丑陋的(原始)名称。

编组时有没有办法忽略标签?或者为马歇尔和unmarshall指定不同名称的方法?

为了澄清,我准备了example in the playground并粘贴了相同的代码。

提前致谢。

package main

import (
    "encoding/json"
    "fmt"
)

type Band struct {
    Name   string `json:"bandname"`
    Albums int    `json:"albumcount"`
}

func main() {
    // JSON -> Object
    data := []byte(`{"bandname": "AC/DC","albumcount": 10}`)
    band := &Band{}
    json.Unmarshal(data, band)

    // Object -> JSON
    str, _ := json.Marshal(band)
    fmt.Println("Actual Result: ", string(str))
    fmt.Println("Desired Result:", `{"Name": "AC/DC","Albums": 10}`)

    // Output:
    // Actual Result:  {"bandname":"AC/DC","albumcount":10}
    // Desired Result: {"Name": "AC/DC","Albums": 10}
}

2 个答案:

答案 0 :(得分:5)

您可以实施

type Marshaler interface {
        MarshalJSON() ([]byte, error)
}

来自标准库的encoding/json包。例如:

type Band struct {
    Name   string `json:"bandname"`
    Albums int    `json:"albumcount"`
}

func (b Band) MarshalJSON() ([]byte, error) {
    n, _ := json.Marshal(b.Name)
    a, _ := json.Marshal(b.Albums)
    return []byte(`{"Name":` + string(n) + `,"Albums":` + string(a) + `}`)
}

然而,这无疑是一个非常好的解决方案。

答案 1 :(得分:0)

作为通用解决方案,您可以使用反射创建一个新类型,该类型删除 json 标记,然后对其进行编组。

func getVariantStructValue(v reflect.Value, t reflect.Type) reflect.Value {
    sf := make([]reflect.StructField, 0)
    for i := 0; i < t.NumField(); i++ {
        sf = append(sf, t.Field(i))

        if t.Field(i).Tag.Get("json") != "" {
            sf[i].Tag = ``
        }
    }
    newType := reflect.StructOf(sf)
    return v.Convert(newType)
}

func MarshalIgnoreTags(obj interface{}) ([]byte, error) {
    value := reflect.ValueOf(obj)
    t := value.Type()
    newValue := getVariantStructValue(value, t)
    return json.Marshal(newValue.Interface())
}

你可以使用:

str, _ := MarshalIgnoreTags(band)

做相反的事情有点棘手(在解组 JSON 时忽略标签),但可以使用 mapstructure

func UnmarshalIgnoreTags(data []byte, obj interface{}) error {
    rv := reflect.ValueOf(obj)
    if rv.Kind() != reflect.Ptr || rv.IsNil() {
        return errors.New("unmarshal destination obj must be a non-nil pointer")
    }

    value := reflect.Indirect(rv)
    t := value.Type()

    newValue := getVariantStructValue(value, t)
    i := newValue.Interface()
    err := json.Unmarshal(data, &i)
    if err == nil {
        // We use mapstructure because i is of type map[string]interface{} and it's the easiest way to convert back to struct type
        // See: https://stackoverflow.com/a/38939459/2516916
        mapstructure.Decode(i, obj)
    }

    return err
}

在此处查看游乐场:https://play.golang.org/p/XVYGigM71Cf