Skip to content

Instantly share code, notes, and snippets.

@AllThingsSmitty
Last active February 27, 2025 23:05
Show Gist options
  • Save AllThingsSmitty/cd4ac116269befd335e61c0ef247d94e to your computer and use it in GitHub Desktop.
Save AllThingsSmitty/cd4ac116269befd335e61c0ef247d94e to your computer and use it in GitHub Desktop.
JavaScript comparison: for...in loop vs. Object.keys()

Here's a comparison between the for...in loop and Object.keys() for iterating over object properties in JavaScript:

for...in loop

The for...in loop iterates over all enumerable property keys of an object, including inherited properties from its prototype chain.

const obj = { a: 1, b: 2, c: 3 };

for (const key in obj) {
  console.log(key, obj[key]);
}
// Expected output:
// a 1
// b 2
// c 3

Object.keys()

Object.keys() returns an array containing the names of all enumerable own properties of an object. It does not include inherited properties.

const obj = { a: 1, b: 2, c: 3 };
const keys = Object.keys(obj);

keys.forEach(key => {
  console.log(key, obj[key]);
});
// Expected output:
// a 1
// b 2
// c 3

Key differences

Feature for...in loop Object.keys()
Iteration Scope Iterates over enumerable own and inherited properties Iterates only over enumerable own properties
Return Value Doesn't return a value; used for side effects Returns an array of keys
Use Cases Iterating over all properties (including inherited) Iterating specifically over own properties
Prototype Chain Traverses the prototype chain Ignores the prototype chain

When to use which

  • Use for...in when you need to iterate over all enumerable properties, including inherited ones. Be cautious when using it with arrays, as it might not guarantee the order of elements and could include unexpected inherited properties.

  • Use Object.keys() when you only need the own properties of an object and want to avoid issues with the prototype chain. It's generally safer and more predictable for iterating over object properties.

Performance

Object.keys() can be faster in some cases because it retrieves all keys at once, while for...in checks each property individually. However, performance differences are often negligible for small to medium-sized objects.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment