Javascript - Array Reduction Methods

Introduction

ECMAScript has two reduction methods for arrays: reduce() and reduceRight().

Both methods iterate over all items in the array and build up a value.

The reduce() method does this starting at the first item and traveling toward the last.

reduceRight() starts at the last and travels toward the first.

Both methods accept two arguments:

  • a function to call on each item and
  • an optional initial value upon which the reduction is based.

The function passed into reduce() or reduceRight() accepts four arguments:

  • the previous value,
  • the current value,
  • the item's index, and
  • the array object.

Any value returned from the function is automatically passed in as the first argument for the next item.

The first iteration occurs on the second item in the array, so the first argument is the first item in the array and the second argument is the second item in the array.

You can use the reduce() method to perform operations such as adding all numbers in an array.

Demo

var values = [1,2,3,4,5];
var sum = values.reduce(function(prev, cur, index, array){
    return prev + cur;
});/*from   www  .  ja v  a2  s.co  m*/
console.log(sum); //15

Result

The first time the callback function is executed, prev is 1 and cur is 2.

The second time, prev is 3 (the result of adding 1 and 2), and cur is 3 (the third item in the array).

This sequence continues until all items have been visited and the result is returned.

The reduceRight() method works in the same way, just in the opposite direction.

var values = [1,2,3,4,5];
var sum = values.reduceRight(function(prev, cur, index, array){
    return prev + cur;
});
console.log(sum); //15

In the code above, prev is 5 and cur is 4 the first time the callback function is executed.