Home >Backend Development >Golang >How Can I Efficiently Iterate Over Nested JSON Structures in Go?
Looping through Nested JSON Structures in Go
This question explores how to efficiently iterate over nested JSON structures in Go. Consider the JSON example provided in the question. The goal is to extract all key-value pairs from this complex JSON structure.
Using a combination of type switching and recursion, a custom function can be implemented to parse a map of string keys to interface values:
func parseMap(aMap map[string]interface{}) { for key, val := range aMap { switch concreteVal := val.(type) { case map[string]interface{}: fmt.Println(key) parseMap(val.(map[string]interface{})) case []interface{}: fmt.Println(key) parseArray(val.([]interface{})) default: fmt.Println(key, ":", concreteVal) } } }
Similarly, an array of interface values can be parsed recursively:
func parseArray(anArray []interface{}) { for i, val := range anArray { switch concreteVal := val.(type) { case map[string]interface{}: fmt.Println("Index:", i) parseMap(val.(map[string]interface{})) case []interface{}: fmt.Println("Index:", i) parseArray(val.([]interface{})) default: fmt.Println("Index", i, ":", concreteVal) } } }
By calling these functions recursively, the JSON structure can be iterated over, extracting all key-value pairs in the desired format.
The above is the detailed content of How Can I Efficiently Iterate Over Nested JSON Structures in Go?. For more information, please follow other related articles on the PHP Chinese website!