<Dhilip's Blogs

Implementing our own Array.map()

Published on Mar 26, 2019
cover 6

If you know howArray.map() works you can jump here directly.

What is Array.map() in javascript?

A map is a built-in function of Arrays in javascript which helps us iterate over each individual elements of the array and returns a brand new array.

First let us understand how map behaves,

For Example:

const sample = [1,2,3];
const mapResult = sample.map(function(val, index, array) {
    console.log('val :', val, 'index :', index, 'array :', array);
    return (val * 2);
});

The output of the above snippet will be:

So, we can conclude that, for each value of the array the function gets executed. And the function has access to 3 arguments:

  • The current element that is processed
  • Current element's index
  • Entire Array

We are returningval*2 on every iteration and that gets stored inmapResult. So,mapResult has [2,4,6] in it and this wont modify the original arraysample.

Thus, whatever that is returned by map during each iteration, will get stored inside a brand new array and the original array remains untouched.

Note: If nothing is returned from the function thenundefined gets stored in the output array.And this array's length will be same as that of the array on which map is done.

If we did not return anything in our previous example then,

map will always return an array.So we don't have to write an explicit return from an Array.map function which is why we use map most of the times to iterate through lists in React.

Lets create our own map method[mymap]

Step 1:

  • We will create a new method[mymap] which allows us to useArray.mymap()
  • In order to use Array.mymap() we have to havemymap()'s definition in Array.prototype.
Array.prototype.mymap = function(){

}

Now we will be able to run[1,2,3].mymap(); which will returnundefined.

Step 2:

  • map is called with function as an argument inside it (i.e) [1,2].map(function(val, index, arr){ }) so, ourmymap function should accept a function as an argument.
  • The function in the argument should be called for each value in the array with 3 arguments:

    • The current element
    • Current element's index
    • Entire Array
  • this refers to the array on whichmymap is done. this is the array itself.
Array.prototype.mymap = function(callback) {
    for (let index = 0; index < this.length; index++) {
        callback(this[index], index, this);
    }
}

Step 3:

  • Finally, we output the result to a new array and return them.
Array.prototype.mymap = function(callback) {
    const resultArray = [];
    for (let index = 0; index < this.length; index++) {
        resultArray.push(callback(this[index], index, this));
    }
    return resultArray;
}

Output:

Thats it :) we have implemented our version ofmap method.

Share if it helped you :)

Next step: Try using similar approach and create a custom map for objects.

profileImg
A blog by Dhilip kumar