javascript iterate Object.entries() code example
Example 1: javascript loop through object
// object to loop through
let obj = { first: "John", last: "Doe" };
// loop through object and log each key and value pair
//ECMAScript 5
Object.keys(obj).forEach(function(key) {
console.log(key, obj[key]);
});
//ECMAScript 6
for (const key of Object.keys(obj)) {
console.log(key, obj[key]);
}
//ECMAScript 8
Object.entries(obj).forEach(
([key, value]) => console.log(key, value)
);
// OUTPUT
/*
first John
last Doe
*/
Example 2: foreach object javascript
const obj = {
a: "aa",
b: "bb",
c: "cc",
};
//This for loop will loop through all keys in the object.
// You can get the value by calling the key on the object with "[]"
for(let key in obj) {
console.log(key);
console.log(obj[key]);
}
//This will return the following:
// a
// aa
// b
// bb
// c
// cc