jonnie
jonnie

Reputation: 12690

How Do I Unmarshal Dynamic Viper or JSON keys as part of struct field in go

I find the marshaling & unMarshaling in GOLANG very confusing when JSON is not in "desired" format. For example, in a JSON config file (which I am trying to use with Viper) I have a config file that looks like :

{
  "things" :{
    "123abc" :{
      "key1": "anything",
      "key2" : "more"
    },
    "456xyz" :{
      "key1": "anything2",
      "key2" : "more2"
    },
    "blah" :{
      "key1": "anything3",
      "key2" : "more3"
    }
  }
}

where "things" could be an object in another object n levels down and I have a struct :

type Thing struct {
  Name string  `?????`
  Key1 string  `json:"key2"`
  Key2 string  `json:"key2"`
}

How to I go about unMarshalling the JSON and more specifically viper config (using viper.Get("things") to get an array of Things like:

t:= Things{
   Name: "123abc",
   Key1: "anything",
   Key2: "more",
}

I am particularly unsure how to get the key as a struct field

Upvotes: 1

Views: 2863

Answers (1)

Thundercat
Thundercat

Reputation: 120999

Use a map for dynamic keys:

type X struct {
    Things map[string]Thing
}

type Thing struct {
    Key1 string
    Key2 string
}

Unmarshal like this:

var x X
if err := json.Unmarshal(data, &x); err != nil {
    // handle error
}

Playground Example

If the name must be a member of the struct, then write a loop to add it after unmarshal:

type Thing struct {
    Name string `json:"-"` // <-- add the field
    Key1 string
    Key2 string
}

...

// Fix the name field after unmarshal
for k, t := range x.Things {
    t.Name = k
    x.Things[k] = t
}

Playground example

Upvotes: 2

Related Questions