Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Looping through nested json object

I have a badly designed JSON object which unfortunately I cannot change at this moment which contains a number of objects. Here is an example of what I am working with:

var land = [
    {"name":"city","value":"Los Angeles"},
    {"name":"state","value":"California"},
    {"name":"zip","value":"45434"},
    {"name":"country","value":"USA"}
];

Here is how I am looping through i:

$(document).ready(function(){
    $.each(land, function(key,value) {
      $.each(value, function(key,value) {
          console.log(key + ' : ' + value);
      })
    }); 
})

The result is as follows:

name : city
value : Los Angeles
name : state
value : California
name : zip
value : 45434
name : country
value : USA

My goal is to have a result like this:

city : Los Angeles
state : California
zip : 45434
country: USA

What am I missing here? How do I achieve my intended result? Thank you in advance :)

like image 899
user1830833 Avatar asked Aug 26 '16 16:08

user1830833


2 Answers

You can do it using ecmascript 5's forEach method:

land.forEach(function(entry){ 
      console.log(entry.name + " : " + entry.value) 
} );

or use jquery to support legacy web browsers:

$.each(land,function(index,entry) {
     console.log(entry.name + " : " + entry.value)
});
like image 76
lyoko Avatar answered Sep 20 '22 01:09

lyoko


Don't loop through the subobject, just show its properties.

var land = [{
  "name": "city",
  "value": "Los Angeles"
}, {
  "name": "state",
  "value": "California"
}, {
  "name": "zip",
  "value": "45434"
}, {
  "name": "country",
  "value": "USA"
}];

$.each(land, function(index, object) {
    console.log(object.name, ": ", object.value);
})
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
like image 42
Barmar Avatar answered Sep 18 '22 01:09

Barmar