Ted
Ted

Reputation: 3875

Finding my object inside JSON by its ID

[
    {"ID":"5","Name":"Jay"},
    {"ID":"30","Name":"Sharon"},
    {"ID":"32","Name":"Paul"}
]

So I have this kind of JSON.

I need to easily supply the value for a required key. For example:

etc. What is the right way to do this?

Upvotes: 2

Views: 527

Answers (5)

Ikhoon Eom
Ikhoon Eom

Reputation: 183

undersocre.js can find a object in collection by one line code

Reference: http://underscorejs.org/#find

Code:

var people = [
    {"ID":"5","Name":"Jay"},
    {"ID":"30","Name":"Sharon"},
    {"ID":"32","Name":"Paul"}
];

_.find(people, function(person) { return person.ID === '5'; });

FIDDLE

Upvotes: 0

adeneo
adeneo

Reputation: 318222

Iterate the array and check if the ID matches

function getById(id) {
    var O = null;
    for (var i=0; i<arr.length; i++) {
        if ( arr[i].ID == id ) return O = arr[i];
    }
    return O;
}

getById('30'); // returns {"ID":"30","Name":"Sharon"}

FIDDLE

or in newer browsers:

function getById(arr, id) {
   return arr.filter(function(o) { return o.ID == id });
}

FIDDLE

Upvotes: 5

bugwheels94
bugwheels94

Reputation: 31920

Try a linear search:

var searchId = "30";
for(var i = 0; i < json.length; i++)
{
    if(json[i].ID == searchId)
    {
        // Found it.
        //

        break;
    }
}

Upvotes: 3

Adam
Adam

Reputation: 802

You could probably just write something to loop through it.

var data = [ {"ID":"5","Name":"Jay"},{"ID":"30","Name":"Sharon"}, {"ID":"32","Name":"Paul"} ];
for(var i in data){
    if(data[i]["ID"] == 30){
      return data[i]["Name"];
    }
}

Upvotes: 1

user2437417
user2437417

Reputation:

If the IDs will be unique, and if you're going to need to do this frequently, then you may want to convert your collection to key/value pairs where the ID is the key.

var byId = data.reduce(function(res, obj) {
    res[obj.ID] = obj;
    return res
}, {});

Now you can simply use the ID to look up the object.

var target = byId["30"];

Upvotes: 2

Related Questions