var a = [];
for(let i = 0; i < 2000; i++){
a.push(i);
}
var b = new Set(a)
return a.includes(1000)
return b.has(1000)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
includes | |
lookup |
Test name | Executions per second |
---|---|
includes | 9354762.0 Ops/sec |
lookup | 11965823.0 Ops/sec |
Let's break down the provided JSON and explain what's being tested.
Benchmark Definition
The benchmark is comparing two approaches to check if an element exists in a set or array: set.has
(lookup) vs. array.includes
.
Script Preparation Code
var a = [];
for (let i = 0; i < 2000; i++) {
a.push(i);
}
var b = new Set(a);
This code creates an array a
with 2000 elements and a set b
that contains the same elements as a
. The script preparation is done before running the actual benchmark, which means it's executed once for both test cases.
Test Cases
There are two test cases:
a.includes(1000)
.b.has(1000)
.Both expressions will check if the element 1000 exists in either the array or set.
Options Compared
The two options being compared are:
array.includes()
: A method that checks if an element exists in an array.set.has()
: A method that checks if an element exists in a set.Pros and Cons of Each Approach
Library/Function Used
Set
: A built-in JavaScript object that represents a collection of unique values. It's used in the script preparation code to create a set b
containing the elements of array a
.Special JS Feature/Syntax
None mentioned in this benchmark.
Other Considerations
When choosing between array.includes()
and set.has()
, consider the following:
set.has()
might be a better choice due to its faster lookup times.array.includes()
might be a more suitable option.Alternatives
Other alternatives to array.includes()
and set.has()
include:
Object.prototype.hasOwnProperty.call(array, value)
for array lookups (less efficient than includes()
).Array.from(set).indexOf(value) + 1
for set lookups (less efficient than has()
).Keep in mind that these alternatives may have different performance characteristics and trade-offs depending on the specific use case.