iterate the object in javascript 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 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.
*/