There are multiple ways to filter out duplicates from an array and return only the unique values.
1๏ธโฃ Using Set ๐ฅ
What is Set?
Set is a new data object introduced in ES6. A Set is a collection of unique values.
Here,
- The array is converted toย
Set
ย and all the duplicate elements are automatically removed. - The spread syntaxย
...
ย is used to include all the elements of theยSet
ย to a new array.
const arr = ["๐ผ", "๐ด", "๐น", "๐ต", "๐", "๐น", "๐ด"];
const filteredArr = [...new Set(arr)];
console.log(filteredArr); //["๐ผ", "๐ด", "๐น", "๐ต", "๐"]
Convert Set to an Array using Array.from
You can also use Array.from
to convert a Set
into an array:
const arr = ["๐ผ", "๐ด", "๐น", "๐ต", "๐", "๐น", "๐ด"];
const filteredArr = Array.from(new Set(arr));
console.log(filteredArr); //["๐ผ", "๐ด", "๐น", "๐ต", "๐"]
2๏ธโฃ Using filter ๐ธ
If the element passes and returns true, it will be included in the filtered array and any element that fails or return false, it will be NOT be in the filtered array.
const arr = ["๐ผ", "๐ด", "๐น", "๐ต", "๐", "๐น", "๐ด"];
const filteredArr = arr.filter((item, index) => {
return arr.indexOf(item) === index;
})
console.log(filteredArr); //["๐ผ", "๐ด", "๐น", "๐ต", "๐"]
3๏ธโฃ Using forEach Method ๐
Using forEach
, you can iterate over the elements in the array and push into the new array if it doesnโt exist in the array.
const arr = ["๐ผ", "๐ด", "๐น", "๐ต", "๐", "๐น", "๐ด"];
const filteredArr = (arr) => {
let uniqueVal = [];
arr.forEach(el => {
if(!uniqueVal.includes(el)) {
uniqueVal.push(el);
}
})
return uniqueVal;
}
console.log(filteredArr(arr)); //["๐ผ", "๐ด", "๐น", "๐ต", "๐"]
4๏ธโฃ Using Reduce Method ๐
The reduce
method is used to reduce the elements of the array and combine them into a final array based on some reducer function that you pass.
const arr = ["๐ผ", "๐ด", "๐น", "๐ต", "๐", "๐น", "๐ด"];
const filteredArr = arr.reduce((acc, curr) => {
return acc.includes(curr) ? acc : [...acc, curr];
}, [])
console.log(filteredArr(arr)); //["๐ผ", "๐ด", "๐น", "๐ต", "๐"]
5๏ธโฃ Unique Method to the Array Prototype ๐
In Javascript the array prototype constructor allows you to add new properties and methods to the Array object.
const arr = ["๐ผ", "๐ด", "๐น", "๐ต", "๐", "๐น", "๐ด"];
Array.prototype.filteredArr = function (){
let arr = [];
for(let i = 0; i < this.length; i++) {
let current = this[i];
if(arr.indexOf(current) < 0 ) arr.push(current);
}
return arr;
}
console.log(arr.filteredArr()); //["๐ผ", "๐ด", "๐น", "๐ต", "๐"]
Reference ๐ง
๐ Twitter | ๐ฉ๐ปโ๐ป suprabha.me | ๐ Instagram |