Your Web News in One Place

Help Webnuz

Referal links:

Sign up for GreenGeeks web hosting
April 7, 2022 07:37 am GMT

Array.Map()

This article is the start of a series where I explain different array methods, how they work, and use cases.

I'll be starting with the Map method.

What is the Map method?

The map method of arrays is a higher-order function that loops through each item in the array, performs some operations on the item, and returns it to make up the resulting array.

As a higher-order function, it takes a function as an argument. During the loop, this function receives an item (and its index position in the array), does something with the item, and returns a new item that makes it to the new array.

The returned output of the map method is a new array containing the same number of items but with new items.

Syntax of the Map method

someArray.map(function(item, index, array) {  // something with item and/or index  // return new item})

The item argument is the item being looped on.

The index argument is the position in the array. For example, the first item has an index of 0, and the second, 1.

The array argument is the array itself.

Without the Map method

The map method is a declarative abstracted function that literally "maps through an array". Here's an example showing how you can map through an array without this method:

const array = [...]const newArray = []for(let i = 0, i < array.length, i++) {  const item = array[i]  const newItem = ?? // do something with item  newArray.push(newItem)}

This loop approach is similar to what the map method does in the background.

One use case of the Map method

There are many use cases of the map method. The general idea is to map through the items in an array, do something with those items and return a new array.

But let us look at one use case.

For making an immutable duplicate of an array

Arrays in JavaScript are objects which are reference data types. What this means is that:

const array1 = [1, 2]const array2 = array1array2.push(5)console.log(array2)// [1, 2, 5]console.log(array1)// [1, 2, 5]

Because it's a reference and not a direct value, modifying array2 also affects array1.

To create an immutable duplicate, you can use the map method like so:

const array1 = [1, 2]const array2 = array1.map(item => item) // arrow functionsarray2.push(5)console.log(array2)// [1, 2, 5]console.log(array1)// [1, 2]

Original Link: https://dev.to/dillionmegida/arraymap-2n2n

Share this article:    Share on Facebook
View Full Article

Dev To

An online community for sharing and discovering great ideas, having debates, and making friends

More About this Source Visit Dev To