how to loop on object in javascript code example

Example 1: javascript loop through object

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: loop through object javascript

for (var property in object) {
  if (object.hasOwnProperty(property)) {
    // Do things here
  }
}

Example 4: looping through object javascript

const object1 = {
  a: 'somestring',
  b: 42
};

for (const [key, value] of Object.entries(object1)) {
  console.log(`${key}: ${value}`);
}

// expected output:
// "a: somestring"
// "b: 42"
// order is not guaranteed

Example 5: iterate over object javascript

// For a functional one-liner
Object.keys(pokemons).forEach(console.log);
// Bulbasaur
// Charmander
// Squirtle
// Pikachu

Example 6: javascript loop through object

const point = {
	x: 10,
 	y: 20,
};

for (const [axis, value] of Object.entries(point)) {
	console.log(`${axis} => ${value}`);
}

/** prints:
 * x => 10
 * y => 20
 */