const fooKey = Symbol('fooSymbol')
class Foo {
constructor(value) {
this[fooKey] = true
this.value = value
}
}
let arr;
function prepare() {
arr = Array.from({length:1000})
for (let i = 0; i < arr.length; i++) {
arr[i] = new Foo(i)
}
}
function runInstanceof() {
prepare();
const match = arr.every((foo) => foo instanceof Foo);
if (!match) throw new Error('fail!');
}
function runKeyIn() {
prepare();
const match = arr.every((foo) => fooKey in foo);
if (!match) throw new Error('fail!');
}
runInstanceof()
runKeyIn()
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
instanceof | |
key in |
Test name | Executions per second |
---|---|
instanceof | 38963.6 Ops/sec |
key in | 40305.4 Ops/sec |
The benchmark defined in the provided JSON compares two different methods for verifying whether an object is an instance of a class or contains a specific property. Specifically, it tests the performance of using the instanceof
operator versus using the in
operator (with a key that is a Symbol) in JavaScript.
foo instanceof Foo
:
instanceof
operator checks whether an object is an instance of a specified constructor (in this case, the Foo
class).fooKey in foo
:
in
operator checks if a specified property (identified by fooKey
, which is a Symbol) exists in the object or its prototype chain.1. Using instanceof
:
2. Using key in
:
The benchmark utilizes:
In this benchmark, the Symbol is used to create a key (fooKey
) that is assigned to an object property, making it less susceptible to name conflicts and ensuring that checking for the property is safe and specific.
This benchmark is useful for software engineers to understand performance trade-offs between two methods for verifying object characteristics in JavaScript. Particularly in high-performance applications, knowing when to use one method over the other can significantly impact efficiency.
Apart from instanceof
and in
, other alternatives to check types or properties can include:
typeof
): Good for primitive types but not suitable for class instances.Understanding these options provides valuable context for choosing the right method based on performance requirements, code clarity, and the structure of the data being dealt with.