如何使用Go部分解析JSON?

时间:2018-09-10 02:39:38

标签: json go struct

我有以下json:

{
    "app": {
        "name": "name-of-app",
        "version" 1
    },
    "items": [
        {
            "type": "type-of-item",
            "inputs": {
                "input1": "value1"
            }
        }
    ]
}

基于items[0].inputs的{​​{1}}更改。

知道了,有没有办法将items[0].type字段保留为字符串?这个想法是使用inputs调用传递type的正确处理程序,然后在其中使用正确的结构解析inputs字符串。

示例:

inputs

谢谢。

3 个答案:

答案 0 :(得分:11)

使用json.RawMessage获取inputs字段的原始JSON文本:

type Item struct {
    Type   string `json:"type"`
    Inputs json.RawMessage
}

像这样使用它:

var data Configuration
if err := json.Unmarshal([]byte(myJson), &data); err != nil {
    // handle error
}

// Loop over items and unmarshal items.Inputs to Go type specific
// to each input type.    
for _, item := range data.Items {
    switch item.Type {
    case "type-of-item":
        var v struct{ Input1 string }
        if err := json.Unmarshal(item.Inputs, &v); err != nil {
            // handle error
        }
        fmt.Printf("%s has value %+v\n", item.Type, v)

    }
}

Run it on the playground

答案 1 :(得分:1)

尝试gjson,超级简单,您不必解组整个事情。您可以获取字节并提取特定字段。 https://github.com/tidwall/gjson

    // Get string (has string, int, bool parsing)
    someField := gjson.ParseBytes(b).Get("some_field.some_nested_field").Str
    // Other types
    v, ok := gjson.ParseBytes(b).Get("some_other_field").Value().(map[string]string)

答案 2 :(得分:0)

公平地说,如果您定义了部分结构,Go实际上会部分地进行分析。引用文档(https://blog.golang.org/json-and-go):

  

Unmarshal如何识别存储解码数据的字段?对于给定的JSON键“ Foo”,Unmarshal将浏览目标结构的字段以查找(按优先顺序):

An exported field with a tag of "Foo" (see the Go spec for more on struct tags),

An exported field named "Foo", or

An exported field named "FOO" or "FoO" or some other case-insensitive match of "Foo".
  

当JSON数据的结构与Go类型不完全匹配时会发生什么?

b := []byte(`{"Name":"Bob","Food":"Pickle"}`)
var m Message
err := json.Unmarshal(b, &m)
  

解组将仅解码在目标类型中可以找到的字段。在这种情况下,将仅填充m的Name字段,而Food字段将被忽略。当您希望从大型JSON Blob中仅选择几个特定字段时,此行为特别有用。这也意味着目标结构中任何未导出的字段都不会受到Unmarshal的影响。