How to decode json into structs

后端 未结 3 1214
既然无缘
既然无缘 2021-02-08 00:21

I\'m trying to decode some json in Go but some fields don\'t get decoded. See the code running in browser here:

What am I doing wrong?

I need only the MX reco

相关标签:
3条回答
  • 2021-02-08 01:18

    The encoding/json package can only decode into exported struct fields. Your Data.mxRecords member is not exported, so it is ignored when decoding. If you rename it to use a capital letter, the JSON package will notice it.

    You will need to do the same thing for all the members of your MxRecords type.

    0 讨论(0)
  • 2021-02-08 01:21

    You must Uppercase struct fields:

    type MxRecords struct {
        Value    string `json:"value"`
        Ttl      int    `json:"ttl"`
        Priority int    `json:"priority"`
        HostName string `json:"hostName"`
    }
    
    type Data struct {
        MxRecords []MxRecords `json:"mxRecords"`
    }
    

    http://play.golang.org/p/EEyiISdoaE

    0 讨论(0)
  • 2021-02-08 01:26

    As per the go documentaiton about json.Unmarshal, you can only decode toward exported fields, the main reason being that external packages (such as encoding/json) cannot acces unexported fields.

    If your json doesn't follow the go convention for names, you can use the json tag in your fields to change the matching between json key and struct field.

    Exemple:

    package main
    
    import (
        "fmt"
        "encoding/json"
    )
    
    type T struct {
        Foo string `json:"foo"`
    }
    
    func main() {
        text := []byte(`{"foo":"bar"}`)
        var t T
        err := json.Unmarshal(text, &t)
        if err != nil {
            panic(err)
        }
        fmt.Println(t)
    }
    
    0 讨论(0)
提交回复
热议问题