<!--your preparation HTML code goes here-->
var a = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10];
var b = new Set(a)
a.includes(5)
b.has(5)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Array | |
Set |
Test name | Executions per second |
---|---|
Array | 101912688.0 Ops/sec |
Set | 171892736.0 Ops/sec |
The benchmark aims to compare the performance of two data structures in JavaScript: Arrays and Sets. Specifically, it tests how quickly each structure can determine the presence of a specific element, in this case, the number 5
.
Array (a.includes(5)
):
5
. The method .includes()
is used, which sequentially scans the array until it finds the specified element or reaches the end.Set (b.has(5)
):
5
. The method .has()
checks for the existence of the element and typically does so in constant time (O(1)), as Sets are implemented using a hash table.The benchmark results indicate that the Set data structure significantly outperformed the Array in terms of execution speed:
This shows that checking for membership in a Set is substantially faster than checking for membership in an Array.
.includes()
)..has()
, making it ideal for scenarios where fast lookups are critical.In summary, this benchmark effectively demonstrates the performance difference between looking up items in an Array versus a Set, with Sets emerging as the more efficient choice for membership checks. Understanding when to use each data structure can greatly enhance performance in JavaScript applications.