当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


JavaScript Array reduceRight()用法及代码示例


JavaScript Array reduceRight() 方法对数组的每个元素执行 reducer 函数并将其应用于累加器。

用法:

arr.reduceRight(callback(accumulator, currentValue), initialValue)

这里,arr 是一个数组。

参数:

reduceRight() 方法包含:

  • callback- 在每个数组元素上执行的函数。它包含:
    • accumulator - 它累积回调的返回值。如果提供第一个调用,它是initialValue
    • currentValue - 从数组传递的当前元素。
  • initialValue(可选)- 将在第一次调用时传递给 callback() 的值。如果未提供,则最后一个元素在第一次调用时充当 accumulator,而 callback() 不会对其执行。

注意:调用reduceRight()在没有的空数组上initialValue会抛出TypeError.

返回:

  • 返回减少数组后产生的值。

注意

  • reduceRight() 从右到左为每个值执行给定的函数。
  • reduceRight() 不会更改原始数组。
  • 提供 initialValue 几乎总是更安全。

示例 1:数组所有值的总和

const numbers = [1, 2, 3, 4, 5, 6];

function sum_reducer(accumulator, currentValue) {
  return accumulator + currentValue;
}

let sum = numbers.reduceRight(sum_reducer);
console.log(sum); // 21

// using arrow function
let summation = numbers.reduceRight(
  (accumulator, currentValue) => accumulator + currentValue
);
console.log(summation); // 21

输出

21
21

示例 2:减去数组中的数字

const numbers = [50, 300, 20, 100, 1800];

// subtract all numbers from last number
// since 1st element is called as accumulator rather than currentValue
// 1800 - 100 - 20 - 300 - 50 
let difference = numbers.reduceRight(
  (accumulator, currentValue) => accumulator - currentValue
);
console.log(difference); // 1330

const expenses = [1800, 2000, 3000, 5000, 500];
const salary = 15000;

// function that subtracts all array elements from given number
// 15000 - 500 - 5000 - 3000 - 2000 - 1800
let remaining = expenses.reduceRight(
  (accumulator, currentValue) => accumulator - currentValue,
  salary
);
console.log(remaining); // 2700

输出

1330
2700

这个例子清楚地解释了传递 initialValue 和不传递 initialValue 之间的区别。

示例 3:创建复合函数

// create composite functions
const composite = (...args) => (initialArg) => args.reduceRight((acc, fn) => fn(acc), initialArg);

const sqrt = (value) => Math.sqrt(value);
const double = (value) => 2 * value;

const newFunc = composite(sqrt, double);

// ( 32 * 2 ) ** 0.5
let result = newFunc(32);
console.log(result); // 8

输出

8

我们知道函数组合是将一个函数的结果传递给另一个函数的方式。执行从右到左进行,因此我们可以利用reduceRight() 函数。

在此示例中,我们创建了一个 composite() 函数,该函数接受任意数量的参数。此函数返回另一个函数,该函数接受 initialArg 并通过从右到左将其应用于给定函数来返回该值。

相关用法


注:本文由纯净天空筛选整理自 Javascript Array reduceRight()。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。