查找数组中深度嵌套的对象
想象一下有一个如下所示的复杂嵌套对象:
[ { "title": "some title", "channel_id": "123we", "options": [ { "channel_id": "abc", "image": "http://asdasd.com/all-inclusive-block-img.jpg", "title": "All-Inclusive", "options": [ { "channel_id": "dsa2", "title": "Some Recommends", "options": [ { "image": "http://www.asdasd.com", "title": "Sandals", "id": 1, "content": {} } ] } ] } ] } ]
您想要检索 id 为 1 的对象。让我们探索一种更好的方法,而不是手动导航每个级别。
递归来救援
递归,当函数调用自身时,提供了一个优雅的解决方案。以下函数迭代嵌套对象:
function getObject(theObject) { var result = null; if (theObject instanceof Array) { for (var i = 0; i < theObject.length; i++) { result = getObject(theObject[i]); if (result) { break; } } } else { for (var prop in theObject) { console.log(prop + ': ' + theObject[prop]); if (prop == 'id') { if (theObject[prop] == 1) { return theObject; } } if (theObject[prop] instanceof Object || theObject[prop] instanceof Array) { result = getObject(theObject[prop]); if (result) { break; } } } } return result; }
此函数处理数组和属性数组,遍历整个对象以查找匹配项。
演示和结论
这是一个更新的 jsFiddle 演示该功能:https://jsfiddle.net/FM3qu/7/。
总之,递归提供了一种有效的方法来遍历深度嵌套对象并检索特定对象基于标准。通过利用递归,我们可以避免繁琐的手动导航并轻松处理复杂的嵌套结构。
以上是如何有效地访问复杂数组结构中的深度嵌套对象?的详细内容。更多信息请关注PHP中文网其他相关文章!