如何在对象数组中通过id查找对象?

时间:2014-07-07 07:25:17

标签: javascript arrays

我有这个json文件:

var data = [{
    "id": 0,
    "parentId": null,
    "name": "Comapny",
    "children": [
        {
            "id": 1235,
            "parentId": 0,
            "name": "Experiences",
            "children": [
                {
                    "id": 3333,
                    "parentId": 154,
                    "name": "Lifestyle",
                    "children": []
                },
                {
                    "id": 319291392,
                    "parentId": 318767104,
                    "name": "Other Experiences",
                    "children": []
                }
            ]
        }
    ]
}];

我需要通过id找到对象。例如,如果需要找到一个id为319291392的对象,我必须得到:

{"id": 319291392,"parentId": 318767104,"name": "Other Experiences","children": []}

我该怎么做?

我尝试使用此功能:

function findId(obj, id) {
    if (obj.id == id) {
        return obj;
    }
    if (obj.children) {
        for (var i = 0; i < obj.children.length; i++) {
            var found = findId(obj.children[i], id);
            if (found) {
                return found;
            }
        }
    }
    return false;
}

但它不起作用,因为它是一个对象数组。

4 个答案:

答案 0 :(得分:2)

如果你的起点是一个数组,你想要反转你的逻辑,从数组开始而不是用对象:

function findId(array, id) {
    var i, found, obj;

    for (i = 0; i < array.length; ++i) {
        obj = array[i];
        if (obj.id == id) {
            return obj;
        }
        if (obj.children) {
            found = findId(obj.children, id);
            if (found) {
                return found;
            }
        }
    }
    return false; // <= You might consider null or undefined here
}

然后

var result = findId(data, 319291392);

...使用id 319291392查找对象。

Live Example

答案 1 :(得分:0)

这应该适合你: -

var serachById = function (id,data) {
    for (var i = 0; i < data.length; i++) {
        if(id==data[i].id)
            return data[i];
        if(data[i].children.length>0)
            return serachById(id,data[i].children);
    };
    return null;
}

console.log(serachById(0,data));

答案 2 :(得分:0)

这是使用对象表示法的另一个简单解决方案。 即使您决定摆脱数组并稍后使用对象表示法,此解决方案也将起作用。所以代码将保持不变。

当你的元素没有子元素时,它也会支持这种情况。

function findId(obj, id) {
    var current, index, reply;

    // Use the object notation instead of index. 
    for (index in obj) {
        current = obj[index];
        if (current.id === id) {
            return current;
        }
        reply = findId(current.children, id);
        if (reply) {
            return reply;
        }

        // If you reached this point nothing was found.
        console.log('No match found');
    }
}

console.log(findId(data, 319291392));

答案 3 :(得分:-2)

这样做:

for (var obj in arr) {
    if(arr[obj].id== id) {
        console.log(arr[obj]);
    }
}