var obj = {
'a': 1,
'b': 1,
'c': 1,
'd': 1,
'e': 1,
'f': 1,
'g': 1
};
for (var i=10000; i > 0; i--) {
for (var key in obj) {
console.log(key);
}
}
for (var i=10000; i > 0; i--) {
Object.keys(obj).forEach(key => console.log(key));
}
for (var i=10000; i > 0; i--) {
const keys = Object.keys(obj);
for (let i = 0; i < keys.length; i++) {
console.log(obj[keys[i]]);
}
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
for-in | |
Object.keys forEach | |
Object.keys for loop |
Test name | Executions per second |
---|---|
for-in | 6.7 Ops/sec |
Object.keys forEach | 5.4 Ops/sec |
Object.keys for loop | 6.5 Ops/sec |
The provided benchmark compares the performance of three different approaches to iterate over an object's keys: for-in
, Object.keys()
with a traditional forEach
loop, and Object.keys()
followed by a for loop.
For-In Loop
This approach uses the in
operator to iterate over the object's properties. The for-in
loop is not designed to work directly with objects; instead, it returns an iterator that allows you to access each property name. This means that the loop variable key
is a string containing the property name, followed by !
and then the property value.
Object.keys() with Traditional forEach Loop
This approach uses the Object.keys()
method to get an array of the object's property names. It then iterates over this array using a traditional forEach
loop, logging each key to the console.
Object.keys() followed by For Loop
This approach uses Object.keys()
to get an array of the object's property names, and then iterates over this array using a for loop, logging each value associated with the property name to the console.
Pros and Cons:
key
contains both the property name and value (!
), making it difficult to use in subsequent iterations.forEach
loop is not optimized for arrays and might incur some performance overhead.forEach
loop.Additional Considerations:
for
loop after calling Object.keys()
is more efficient than using a traditional forEach
loop because it avoids the overhead associated with creating and then iterating over an iterator (as returned by Object.keys()
).Other Alternatives:
for
loop can also be faster since it's optimized to work directly with arrays and iterators.In terms of performance, Object.keys()
followed by a for loop tends to perform best because it minimizes overhead. This is the recommended approach in the benchmark.