javascript iterate object code example

Example 1: iterate object javascript

let obj = {
	key1: "value1",
	key2: "value2",
	key3: "value3",
	key4: "value4",
}
Object.entries(obj).forEach(([key, value]) => {
	console.log(key, value);
});

Example 2: javascript iterate over object

var obj = { first: "John", last: "Doe" };

Object.keys(obj).forEach(function(key) {
    console.log(key, obj[key]);
});

Example 3: javascript iterate object

let person={
 	first_name:"johnny",
  	last_name: "johnson",
	phone:"703-3424-1111"
};
for (let i in person) {
  let t = person[i]
  	console.log(i,":",t);
}

Example 4: javascript iterate object

const obj = { 0: 'a', 1: 'b', 2: 'c' };
console.log(Object.entries(obj)); // => [ ['0', 'a'], ['1', 'b'], ['2', 'c'] ]

Object.entries(obj).forEach((key, value) => {
  console.log(key + ' ' + value);
});

Example 5: javascript iterate object

const person = {
	firstName: 'John',
	lastName: 'Doe',
  	email: '[email protected]'
};
for (const [key, value] of Object.entries(person)) {
	console.log(`${key}: ${value}`);
}

/*
	Explanation - 
    Object.entries(person) returns: [["firstName","John"],["lastName","Doe"],["email","[email protected]"]]
    We can use an ES6 'for-of' loop to interate over it. Each iteration gets an 
    array where the 0th index is the property name and the 1st index is the 
    value. We can use ES6 array destructuring to directly extract the values
    into separate variables.
*/

Example 6: javascript iterate object

for (let key in yourobject) {
   if (yourobject.hasOwnProperty(key)) {
      console.log(key, yourobject[key]);
   }
}