var array = Array.from({length: 10000}, () => Math.floor(Math.random() * 20000));
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 | 2983.6 Ops/sec |
Array from set | 2993.9 Ops/sec |
Filter | 45.3 Ops/sec |
I'll break down the benchmark for you.
Benchmark Definition:
The provided JSON defines a JavaScript microbenchmark that compares three approaches to remove duplicates from an array:
Set spread
(const f = [... new Set(array)])Array.from(set)
(const s = new Set(array) \ const l = Array.from(s))Filter
(const b = array.filter((i,index) => array.indexOf(i)=== index))Options Compared:
The benchmark compares the performance of these three approaches on a large dataset (array
) with 10,000 items.
Pros and Cons of each approach:
Array.from()
. This method is more explicit and can be easier to understand, but it may be slower than the set spread approach.filter()
method to remove duplicates from the array by comparing each element with its index in the array. However, this method has a time complexity of O(n^2) because it uses the indexOf()
method, which scans the array for each iteration.Library and Purpose:
None of these approaches use any external libraries.
Special JavaScript Feature or Syntax:
The use of spread operator (...
) in the set spread approach is a modern JavaScript feature introduced in ECMAScript 2015. It allows creating new arrays from existing arrays, sets, or other iterable objects.
Other Considerations:
When choosing an approach, consider the trade-off between conciseness, performance, and readability:
Array.from(set)
approach might be a better choice.Alternative Approaches:
Other approaches to remove duplicates from an array include:
Reduce()
: const arr = arr.reduce((acc, curr) => acc.includes(curr)? acc : acc.concat([curr]);Map()
and Set
: const set = new Set(arr.map(x => x)); const result = [...set];However, these alternatives are not typically used in production code due to their complexity or performance overhead.
I hope this explanation helps you understand the benchmark!