小编典典

如何获取未知JSON层次结构的总深度?

json

我一直在努力寻找/构建一个递归函数来解析此JSON文件并获取其子级的总深度。

该文件如下所示:

var input = {
    "name": "positive",
    "children": [{
        "name": "product service",
        "children": [{
            "name": "price",
            "children": [{
                "name": "cost",
                "size": 8
            }]
        }, {
            "name": "quality",
            "children": [{
                "name": "messaging",
                "size": 4
            }]
        }]
    }, {
        "name": "customer service",
        "children": [{
            "name": "Personnel",
            "children": [{
                "name": "CEO",
                "size": 7
            }]
        }]
    }, {
        "name": "product",
        "children": [{
            "name": "Apple",
            "children": [{
                "name": "iPhone 4",
                "size": 10
            }]
        }]
    }] 
}

阅读 341

收藏
2020-07-27

共1个答案

小编典典

您可以使用递归函数遍历整个树:

getDepth = function (obj) {
    var depth = 0;
    if (obj.children) {
        obj.children.forEach(function (d) {
            var tmpDepth = getDepth(d)
            if (tmpDepth > depth) {
                depth = tmpDepth
            }
        })
    }
    return 1 + depth
}

该函数的工作原理如下:

  • 如果对象不是叶子(即对象具有children属性),则:
    • 计算每个孩子的深度,保存最大的一个
    • 返回1 +最深的孩子的深度
  • 否则,返回1

jsFiddle:http :
//jsfiddle.net/chrisJamesC/hFTN8/

编辑 使用现代JavaScript,该函数可能如下所示:

const getDepth = ({ children }) => 1 +
    (children ? Math.max(...children.map(getDepth)) : 0)

jsFiddle:http :
//jsfiddle.net/chrisJamesC/hFTN8/59/

2020-07-27