Why Array.prototype.reduce() is not taking an empty array as accumulator? Why Array.prototype.reduce() is not taking an empty array as accumulator? arrays arrays

Why Array.prototype.reduce() is not taking an empty array as accumulator?


When you try to do return filteredArr.push(collectionElement), in essence you are returning length of filteredArr after the push operation. The push() method adds one or more elements to the end of an array and returns the new length of the array.Ref: Array.prototype.push().

You need to return the filteredArr from your anonymous function, so that it is used as the previousValue for the next call

var collection = [3, 5, 11, 23, 1];// filter all the elements bigger than 10 to a new arrayvar output = collection.reduce(function(filteredArr, collectionElement) {  if (collectionElement > 10) {    filteredArr.push(collectionElement);  }  return filteredArr;}, []);


Array.prototype.push will return the length of the new array. You need to return the accumulator. A succinct way to do this is with Array.prototype.concat, since that method will actually return the array:

var collection = [3, 5, 11, 23, 1];var output = collection.reduce(function(filteredArr, collectionElemet) {  if (collectionElemet > 10) {    return filteredArr.concat(collectionElemet);  }}, []);

You have to return the accumulator so the next iteration can use the value of the accumulator.