Dynamic JSON Parsing

Almost always when writing a REST endpoint you will know beforehand the format of the data you will receive and you can write your downstream client accordingly. Barring documentation you can parse a curl response and adjust accordingly, but what if the tables were turned and you needed to dynamically parse unknown JSON?

In Python, with a dynamic type system, this is relatively straight forward. Let’s parse and print the results such as in this example.

But what about the same thing in go? With go’s unusual type system the same code is not as straight forward.

Instead of unmarshalling into the custom pre-built type we wrote after reviewing the documentation we need to start by unmarshalling the JSON into a map of strings to interfaces with:

m := map[string]interface{}{}
err := json.Unmarshal([]byte(js), &m)
if err != nil {
    panic(err)
}

We are deserializing the json string js into the map m. Typically m would already be defined because we would know beforehand the structure of the JSON, but recall this is the opposite case and we have hit an endpoint where we do not already know the object.

From this point we can parse the map recursively to define all the types contained within the map using type assertions including nested types. In this example we print out the structure to the terminal, but a more useful case could be outputting to an AST to then generate a type file with methods that could operate on the provided JSON string.

The full working example of parsing and printing the json follows:

package main
import (
"encoding/json"
"fmt"
"strings"
)
func main() {
m := deserialize(jsonBlob)
pprint(m)
}
func pprint(m map[string]interface{}) {
fmt.Println("Object")
recurse(m, 1)
}
func recurse(m map[string]interface{}, depth int) {
hyphens := getHyphens(depth)
for k, v := range m {
vType := fmt.Sprintf("%T", v)
switch v.(type) {
case []interface{}:
vType = "Array"
fmt.Printf("%v %v\n", hyphens, vType)
handleInterface(v, depth+1, k)
default:
fmt.Printf("%v %v %v\n", hyphens, k, vType)
}
}
}
func handleInterface(i interface{}, depth int, key string) {
hyphens := getHyphens(depth)
vType := fmt.Sprintf("%T", i)
if rec, ok := i.(map[string]interface{}); ok {
recurse(rec, depth+1)
} else {
switch i.(type) {
case []interface{}:
iSlice, _ := i.([]interface{})
switch iSlice[0].(type) {
case map[string]interface{}:
fmt.Printf("%v %v %v\n", hyphens, key, "Object")
handleInterface(iSlice[0], depth, "")
default:
// Don't increment depth, because the next iteration will be handled by base case of map
handleInterface(iSlice[0], depth, key)
}
default:
fmt.Printf("%v %v %v\n", hyphens, key, vType)
}
}
}
func getHyphens(d int) string {
var sb strings.Builder
for i := 0; i < d*4; i++ {
sb.WriteString("-")
}
return sb.String()
}
func deserialize(js string) map[string]interface{} {
m := map[string]interface{}{}
err := json.Unmarshal([]byte(js), &m)
if err != nil {
panic(err)
}
return m
}
const (
jsonBlob = string(`{
"_id": "61410596ba0c39a1fae2f47f",
"index": 0,
"guid": "fe1102ba-b5f9-4783-a62c-13adb3c2c293",
"isActive": false,
"balance": "$1,500.31",
"picture": "http://placehold.it/32x32",
"age": 33,
"eyeColor": "blue",
"name": "Aguirre Aguilar",
"gender": "male",
"company": "COMTRAK",
"email": "aguirreaguilar@comtrak.com",
"phone": "+1 (828) 595-3377",
"address": "425 Cheever Place, Norfolk, New York, 6272",
"about": "Veniam do incididunt dolor commodo labore ea sint dolore . Nulla amet non Lorem aliquip proident laboris ut. Minim sint ullamco eu magna voluptate. Ut esse cupidatat minim est qui irure ex ullamco qui aliquip.\r\n",
"registered": "2019-05-12T10:09:42 +07:00",
"latitude": 34.248956,
"longitude": 124.1861,
"tags": [
"adipisicing",
"cillum",
"mollit",
"consectetur",
"adipisicing",
"duis",
"adipisicing"
],
"friends": [{
"id": 0,
"name": "Susanne Anderson"
},
{
"id": 1,
"name": "Kara Moon"
},
{
"id": 2,
"name": "Petty Holden"
}
],
"greeting": "Hello, Aguirre Aguilar! You have 4 unread messages.",
"favoriteFruit": "strawberry"
}`)
)
view raw json_print.go hosted with ❤ by GitHub

Go  REST 

See also