<!--your preparation HTML code goes here-->
/*your preparation JavaScript code goes here
To execute async code during the script preparation, wrap it as function globalMeasureThatScriptPrepareFunction, example:*/
async function globalMeasureThatScriptPrepareFunction() {
// This function is optional, feel free to remove it.
// await someThing();
}
const val = {}
for (let i = 0; i < 1000; ++i) {
val[i] = i
val[i] = Reflect.get(val, i - 1)
}
const val = {}
for (let i = 0; i < 1000; ++i) {
val[i] = i
val[i] = val[i - 1]
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Reflect.get | |
Direct access |
Test name | Executions per second |
---|---|
Reflect.get | 32096.5 Ops/sec |
Direct access | 97982.2 Ops/sec |
The provided benchmark compares two methods of accessing object properties in JavaScript: direct access versus using the Reflect.get
method. It evaluates how each method performs in terms of execution speed by executing a simple loop that populates an object and retrieves values.
Reflect.get:
const val = {};
for (let i = 0; i < 1000; ++i) {
val[i] = i;
val[i] = Reflect.get(val, i - 1);
}
Reflect.get
method to retrieve a property from the object val
. The Reflect
object is a built-in object in JavaScript that provides methods for interceptable JavaScript operations. Reflect.get
specifically allows for property access on an object in a more controlled way.Direct Access:
const val = {};
for (let i = 0; i < 1000; ++i) {
val[i] = i;
val[i] = val[i - 1];
}
val[i - 1]
directly to val[i]
.The benchmark results show:
Pros:
Cons:
Pros:
Cons:
Reflect.get
.While this benchmark focuses on two approaches to property access, there are alternative methods in JavaScript for accessing object properties, such as:
val[i - 1]
). This is similar to direct access but allows for more dynamic property access and would perform similarly in speed.In cases where performance is paramount, especially in tight loops or high-frequency operations, direct property access is the preferable option. Reflect.get
is valuable for dynamic access needs or when engaging in meta-programming, but one should consider the performance trade-offs highlighted in this benchmark.