This blog will run you through 3 ways to filter unique values from an array in JavaScript, removing duplicate values.
This blog will run you through 3 ways to filter unique values from an array in JavaScript, removing duplicate values.
This approach involves running a filter** over the array** — for each value, we only add it to the unique array if it is the first item with that value in the array, i.e. if arr.indexOf(value) === index
:
const arr = ['a', 'b', 'a', 'b', 'c'];
const uniqueArr = arr.filter((value, index) => {
return arr.indexOf(value) === index;
});
console.log(uniqueArr); // ['a', 'b', 'c']
This second approach relies on JavaScript map objects, which cannot have duplicate keys. It involves creating an empty mapObj
, and adding each value of the array to mapObj
as a key. The final unique array can then be retrieved using Object.keys(mapObj)
:
const arr = ['a', 'b', 'a', 'b', 'c'];
const mapObj = {};
arr.forEach(a => {
mapObj[a] = true;
});
const uniqueArr = Object.keys(mapObj);
console.log(uniqueArr); // ['a', 'b', 'c']
One of the nice things about learning JavaScript these days is that there is a plethora of choices for writing and running JavaScript code. In this article, I’m going to describe a few of these environments and show you the environment I’ll be using in this series of articles.
To paraphrase the title of an old computer science textbook, “Algorithms + Data = Programs.” The first step in learning a programming language such as JavaScript is to learn what types of data the language can work with. The second step is to learn how to store that data in variables. In this article I’ll discuss the different types of data you can work with in a JavaScript program and how to create and use variables to store and manipulate that data.
Professor JavaScript is a JavaScript online learning courses YouTube Channel. Students can learn how to develop codes with JavaScript from basic to advanced levels through the online courses in this YouTube channel.
Microsoft has released a new series of video tutorials on YouTube for novice programmers to get a hands-on renowned programming language — JavaScript.
In this post, I will explain why declarative code is better than imperative code. Then I will list some techniques to convert imperative JavaScript to a declarative one in common situations.