首页 >后端开发 >Golang >如何在 Go 中高效地迭代嵌套 JSON?

如何在 Go 中高效地迭代嵌套 JSON?

Patricia Arquette
Patricia Arquette原创
2024-11-26 10:46:11660浏览

How to Efficiently Iterate Through Nested JSON in Go?

在 Go Lang 中循环/迭代第二级嵌套 JSON

考虑遇到如下所示的嵌套 JSON 结构的场景:

{
    "outterJSON": {
        "innerJSON1": {
            "value1": 10,
            "value2": 22,
            "InnerInnerArray": [ "test1" , "test2"],
            "InnerInnerJSONArray": [ {"fld1" : "val1"} , {"fld2" : "val2"} ]
        },
        "InnerJSON2":"NoneValue"
    }
}

任务是有效地迭代此结构并将所有键值对作为字符串检索以进行进一步处理。不幸的是,为这样的动态 JSON 输入手动定义结构是不可行的。

高效迭代方法

为了有效地应对这一挑战,采用了递归方法:

func parseMap(m map[string]interface{}) {
  for key, val := range m {
    // Check the type of the value
    switch concreteVal := val.(type) {
      case map[string]interface{}:
        // If it's a nested map, recursively call the function
        parseMap(val.(map[string]interface{}))
      case []interface{}:
        // If it's a nested array, call the function to parse the array
        parseArray(val.([]interface{}))
      default:
        // For all other types, print the key and value as a string
        fmt.Println(key, ":", concreteVal)
    }
  }
}

这个递归函数 parseMap 检查映射中每个值的类型。如果该值本身是一个映射,它会递归调用 parseMap 来遍历该嵌套映射。如果该值是一个数组,它会调用 parseArray 来迭代它。对于所有其他类型(例如字符串、数字等),它只是将键和值打印为字符串。

演示

考虑前面提供的示例 JSON 输入。运行下面的代码将产生以下输出:

func parseArray(a []interface{}) {
  for i, val := range a {
    // Check the type of the value
    switch concreteVal := val.(type) {
      case map[string]interface{}:
        // If it's a nested map, recursively call the function
        parseMap(val.(map[string]interface{}))
      case []interface{}:
        // If it's a nested array, call the function to parse the array
        parseArray(val.([]interface{}))
      default:
        // For all other types, print the index and value as a string
        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

这种方法有效地捕获嵌套 JSON 中的所有键值对,使其适合处理和Go 语言中的提取任务。

以上是如何在 Go 中高效地迭代嵌套 JSON?的详细内容。更多信息请关注PHP中文网其他相关文章!

声明:
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系admin@php.cn