Map, Reduce and Filter Method in JavaScript

map, filter, and reduce are higher-order array methods in JavaScript that provide powerful ways to manipulate arrays and transform data. Here’s an overview of each method:

1. map() Method:

The map() method creates a new array by applying a function to each element of an existing array. It returns a new array with the results of calling the provided function on every element in the original array.

let numbers = [1, 2, 3, 4, 5];

let doubled = numbers.map(num => num * 2);
console.log(doubled); // Output: [2, 4, 6, 8, 10]

2. filter() Method:

The filter() method creates a new array with all elements that pass a test provided by a callback function. It returns a new array containing only the elements for which the callback function returns true.

let numbers = [1, 2, 3, 4, 5];

let evens = numbers.filter(num => num % 2 === 0);
console.log(evens); // Output: [2, 4]

3. reduce() Method:

The reduce() method executes a reducer function on each element of the array, resulting in a single output value. It’s useful for calculating sums, aggregating data, or performing any operation that requires combining elements of an array.

let numbers = [1, 2, 3, 4, 5];

let sum = numbers.reduce((accumulator, currentValue) => accumulator + currentValue, 0);
console.log(sum); // Output: 15 (1 + 2 + 3 + 4 + 5)

In the reduce() method:

  • The accumulator parameter stores the accumulated result of the computation.
  • The currentValue parameter represents the current element being processed.
  • The 0 at the end of the reduce() call is the initial value of the accumulator.

These array methods are powerful tools for transforming and manipulating data in JavaScript. They allow you to write concise and expressive code for common array operations, making your code more readable and maintainable.