<!--your preparation HTML code goes here-->
const fruits = ['apple', 'banana', 'orange', 'grape'];
fruits.includes('banana');
fruits.indexOf('banana');
fruits.includes('apple');
fruits.indexOf('apple');
fruits.includes('grape');
fruits.indexOf('apple');
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
includes | |
indexof | |
includes first item | |
indexof first item | |
includes last item | |
indexof last item |
Test name | Executions per second |
---|---|
includes | 118877912.0 Ops/sec |
indexof | 118218736.0 Ops/sec |
includes first item | 127120976.0 Ops/sec |
indexof first item | 126442648.0 Ops/sec |
includes last item | 102583376.0 Ops/sec |
indexof last item | 127433416.0 Ops/sec |
The provided benchmark is designed to compare the performance of two different JavaScript methods for checking the presence of items in an array: Array.prototype.includes()
and Array.prototype.indexOf()
. The benchmark specifically targets a simple example with an array of fruits.
fruits.includes('item')
true
or false
.fruits.indexOf('item')
-1
if the item is not found.includes()
for the singular task of checking existence.The benchmark includes several test cases that evaluate both methods using different items from the fruits
array:
includes()
Pros:
NaN
correctly—includes()
returns true if the value exists regardless of its type.includes()
Cons:
indexOf()
Pros:
indexOf()
Cons:
-1
to determine if an item is present.===
), making it less flexible than includes
for such scenarios.The benchmark results indicate that indexOf
has outperformed includes
in this instance, particularly for the last item, with execution rates reaching above 127 million executions per second. This suggests that performance may vary based on the method used and the specific test case.
There are also other ways to check for an item's existence in an array in JavaScript:
Using for
loops: This is a manual approach where you iterate through the array and check each item. It provides flexibility but lacks clarity.
Using Set
for large datasets: If the dataset is large and needs frequent lookups, converting the array to a Set
can provide O(1) complexity for existence checks, significantly improving performance metrics.
In conclusion, the performance benchmark between includes()
and indexOf()
provides important insights for software engineers making decisions based on readability versus performance. It's essential to choose the method that aligns with project goals while considering the trade-offs involved. The results suggest potential performance advantages but should be evaluated in the context of specific use cases and overall application needs.