var array = Array.from({length: 40}, () => Math.floor(Math.random() * 140));
const a = new Set(array)
const filterUnique = (value, index, array) => array.indexOf(value) === index;
const b = array.filter(filterUnique)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Set from array | |
Filter |
Test name | Executions per second |
---|---|
Set from array | 1399647.9 Ops/sec |
Filter | 1801104.0 Ops/sec |
Let's break down the provided benchmark and explain what's being tested.
Benchmark Overview
The test case compares two approaches for creating a unique array: using a Set
object or filtering out duplicates using the Array.prototype.filter()
method with a custom callback function. This comparison aims to determine which approach is faster in JavaScript.
Test Case 1: Set from Array
This test creates a new Set
object from an array of random integers. The Set
data structure automatically removes duplicate values, making it efficient for this scenario.
const a = new Set(array);
In this case, the pros are:
Set
is relatively fast and efficient since it uses a hash table to store unique elements.However, there are some cons to consider:
Set
object stores references to its elements (in this case, the array values), it may consume more memory compared to other approaches.Set
data structure is designed for storing unique values and doesn't provide additional features like sorting or iterating over its elements in a specific order.Test Case 2: Filter
This test uses an alternative approach by defining a custom callback function filterUnique
that checks if the value's index in the original array matches its presence in the array using Array.prototype.indexOf()
. Then, it filters out duplicates from the array using this callback function.
const filterUnique = (value, index, array) => array.indexOf(value) === index;
const b = array.filter(filterUnique);
In this case:
However, there are also some advantages:
Array.prototype.filter()
is a built-in method optimized for performance, the filter operation itself might be faster than using a Set
.Other Considerations
When comparing these two approaches, consider the following:
Set
) might be more efficient.Alternatives
In addition to these two approaches:
_.uniq()
, for example) that provides optimized methods for removing duplicates from arrays.Array.prototype.reduce()
or Array.prototype.every()
with custom callback functions for filtering and reducing operations.For a wide range of software engineers, it's essential to understand these concepts to make informed decisions when implementing data structures or algorithms in JavaScript.