考虑以下代码:
package main import ( "encoding/json" "fmt" "reflect" ) func main() { //Creating the maps for JSON m := map[string]interface{}{} //Parsing/Unmarshalling JSON encoding/json err := json.Unmarshal([]byte(input), &m) fmt.Println("\nReflect type of Parsing/Unmarshalling Error Object:\n",reflect.TypeOf(err)) fmt.Println("\nParsing/Unmarshalling Error Object:\n",err) if err != nil { panic(err) } fmt.Println("\nParsed JSON is as follows:\n",m) fmt.Println("\nReflect type of parsed json object:\n", reflect.TypeOf(m)) for firstLvlkey, firstLvlValue := range m { fmt.Println("First Level Key:", firstLvlkey) fmt.Println("First Level Key reflect type of :", reflect.TypeOf(firstLvlkey)) fmt.Println("First Level Value:", firstLvlValue) fmt.Println("First Level Value reflect type of :", reflect.TypeOf(firstLvlValue)) // <===============================> //Here I want to iterate/loop over innerJSON1, InnerJSON2 then reach to level InnerInnerJSONArray - fld1 and fld2 // <===============================> } } const input = ` { "outterJSON":{ "innerJSON1":{ "value1":10, "value2":22 , "InnerInnerArray": [ "test1" , "test2"], "InnerInnerJSONArray": [ {"fld1" : "val1"} , {"fld2" : "val2"} ] }, "InnerJSON2":"NoneValue" } } `
我有一些要求,例如我想读取/获取所有String类型的键和值以进行某些处理,但我无法定义它,struct因为我将获得动态JSON输入(例如,InnerInnerArray作为字符串,那么第二级循环将给我索引)数组并处理每个具有key fld1和的JSON val1。
String
struct
InnerInnerArray
fld1
val1
我希望遍历其中包含的每个键/值对,浏览地图的最有效方法是什么?
注意:我是Go-lang的新手,也欢迎您提出问题。
请参阅此博客条目,该条目彻底涵盖了该主题,尤其是“ 解码任意数据 ”部分。使用它,您可以执行以下操作:(游乐场示例)
package main import ( "encoding/json" "fmt" ) func main() { // Creating the maps for JSON m := map[string]interface{}{} // Parsing/Unmarshalling JSON encoding/json err := json.Unmarshal([]byte(input), &m) if err != nil { panic(err) } parseMap(m) } 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) } } } 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) } } } const input = ` { "outterJSON": { "innerJSON1": { "value1": 10, "value2": 22, "InnerInnerArray": [ "test1" , "test2"], "InnerInnerJSONArray": [{"fld1" : "val1"} , {"fld2" : "val2"}] }, "InnerJSON2":"NoneValue" } } `
这将打印:
//outterJSON //innerJSON1 //InnerInnerJSONArray //Index: 0 //fld1 : val1 //Index: 1 //fld2 : val2 //value1 : 10 //value2 : 22 //InnerInnerArray //Index 0 : test1 //Index 1 : test2 //InnerJSON2 : NoneValue
关键是在使用接口类型时必须使用类型断言。使用类型开关可以轻松确定所需的类型。该代码将递归地遍历任何嵌套数组或映射,因此您可以根据需要添加任意多个级别并获取所有值。