<!--your preparation HTML code goes here-->
const d1 = {};
for (let i = 0; i < 10000; i++) {
d1[i] = i;
}
const d2 = Object.create(null);
for (let i = 0; i < 10000; i++) {
d2[i] = i;
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Creation: Object | |
Creation: Object w null p |
Test name | Executions per second |
---|---|
Creation: Object | 48867.4 Ops/sec |
Creation: Object w null p | 52193.9 Ops/sec |
This benchmark test compares the performance of creating JavaScript objects using two different methods. Here's a breakdown of what is being tested, including the pros and cons of each approach and additional considerations.
Test Name: Creation: Object
const d1 = {};
for (let i = 0; i < 10000; i++) {
d1[i] = i;
}
{}
) and then adding properties to it in a loop.Test Name: Creation: Object w null p
const d2 = Object.create(null);
for (let i = 0; i < 10000; i++) {
d2[i] = i;
}
Object.create(null)
, which creates an object that does not inherit from Object.prototype
, effectively having a “clean” prototype chain. Properties are then added similarly in a loop.Standard Object Creation ({}
)
Object.prototype
, which can be useful for typical use cases.Object.create(null)
Object.prototype
are accessible (like toString
, hasOwnProperty
, etc.).From the benchmark results:
The first method ({}
) performs slightly better than the second method (Object.create(null)
), though the difference in execution speed is relatively small.
Use Case: The choice between these two object creation methods generally depends on the specific requirements of your application. If you need a simple object with potential utility functions (like inheritance), using a standard object might suffice. If you need a completely independent object with no inherited properties, Object.create(null)
is preferable.
Alternatives: Besides the methods compared in this benchmark, there are other ways to create objects in JavaScript, such as:
new
keyword creates a new object instance.In summary, this benchmark helps shed light on the performance implications of object creation strategies in JavaScript. It enables developers to make informed decisions based on the structure and behavior necessary for their applications.