var array = Array.from({length: 40}, () => Math.floor(Math.random() * 140));
const f = [ new Set(array)]
const s = new Set(array)
const l = Array.from(s)
const b = array.filter((i,index) => array.indexOf(i)=== index)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Set spread | |
Array from set | |
Filter |
Test name | Executions per second |
---|---|
Set spread | 1145094.4 Ops/sec |
Array from set | 1112209.0 Ops/sec |
Filter | 883059.6 Ops/sec |
Let's break down the provided benchmark and explain what is being tested.
Benchmark Overview
The benchmark compares three approaches to remove duplicates from an array: Set
spread, Array.from(new Set(array))
, and filtering using array.filter()
. The goal is to determine which approach is the fastest.
Options Compared
...
) to create a new array with unique values from the original array.Set
object from the array and then converts it back to an array using Array.from()
.array.filter()
: This method uses the filter()
method to create a new array with only unique values.Pros and Cons of Each Approach
Set
operations are O(1) on average.Set
object, which may not be desirable for some use cases.array.filter()
:filter()
method.Library Used
In this benchmark, the Set
data structure is used. A Set
in JavaScript is a collection of unique values that cannot have duplicate elements. It's implemented as a hash table, which allows for fast lookup and insertion times.
Special JS Feature or Syntax
None mentioned in this benchmark. However, it's worth noting that the filter()
method uses the Arrow Function syntax ((i,index) => array.indexOf(i)=== index
), which is a modern JavaScript feature introduced in ECMAScript 2015 (ES6).
Alternative Approaches
Other approaches to remove duplicates from an array include:
reduce()
: Instead of using Set
, you can use the reduce()
method to accumulate unique values.map()
and includes()
: You can use map()
to create a new array with unique values, and then use includes()
to check for duplicates.For example:
const uniqueArray = array.map((value, index) => {
if (array.includes(value)) return value;
});
However, these approaches may not be as efficient as the ones being compared in this benchmark.