當前位置: 首頁>>代碼示例 >>用法及示例精選 >>正文


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()。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。