TIL — Javascript .reduce and .filter explained

In the world of JavaScript programming, there are a variety of methods available to manipulate arrays. Two of the most commonly used methods are .reduce() and .filter(). These methods allow you to iterate over arrays, perform operations on the elements within them, and return new arrays or values.

.reduce()

.reduce() is a method that allows you to “reduce” an array to a single value. This is done by applying a function to each element of the array and accumulating a final result. The reduce() method takes two arguments: a callback function and an optional initial value. The callback function itself takes two parameters: an accumulator and the current value of the array.

Here is an example of how .reduce() works:

const numbers = [1, 2, 3, 4, 5];
const sum = numbers.reduce((accumulator, currentValue) => {
return accumulator + currentValue;
}, 0);
console.log(sum); // Output: 15

In this example, we have an array of numbers. We use the .reduce() method to add up all the numbers in the array. The callback function takes an accumulator and a current value. In this case, the accumulator is initially set to 0. The callback function adds the current value to the accumulator and returns the new accumulator value. The final result is the sum of all the numbers in the array.

.filter()

.filter() is a method that allows you to “filter” an array by creating a new array with only the elements that meet a certain condition. The filter() method takes a callback function that returns a Boolean value. If the callback function returns true, the element is added to the new array. If the callback function returns false, the element is skipped.

Here is an example of how .filter() works:

const numbers = [1, 2, 3, 4, 5];
const evenNumbers = numbers.filter((number) => {
return number % 2 === 0;
});
console.log(evenNumbers); // Output: [2, 4]

In this example, we have an array of numbers. We use the .filter() method to create a new array with only the even numbers. The callback function takes a number and returns true if the number is even (divisible by 2) and false otherwise. The final result is a new array with only the even numbers from the original array.

what is the difference between .reduce() and .filter()?

While both methods operate on arrays, they have different purposes. .reduce() is used to aggregate an array down to a single value, while .filter() is used to create a new array with only elements that meet a certain condition. Additionally, .reduce() can take an initial value, while .filter() does not.

In conclusion, .reduce() and .filter() are both powerful methods for manipulating arrays in JavaScript. By understanding how they work and when to use them, you can write more efficient and effective code.