reduce()
方法接收一個函數做爲累加器(accumulator),數組中的每一個值(從左到右)開始合併,最終爲一個值。數組
callback
執行數組中每一個值的函數,包含四個參數
previousValue
currentValue
index
array
reduce
的數組
initialValue
reduce
爲數組中的每個元素依次執行回調函數,不包括數組中被刪除或從未被賦值的元素,接受四個參數:初始值(或者上一次回調函數的返回值),當前元素值,當前索引,調用 reduce
的數組。less
回調函數第一次執行時,previousValue
和 currentValue
能夠是一個值,若是 initialValue 在調用 reduce 時被提供,那麼第一個 previousValue 等於 initialValue ,而且currentValue 等於數組中的第一個值;若是initialValue 未被提供,那麼previousValue 等於數組中的第一個值,currentValue等於數組中的第二個值。函數
若是數組爲空而且沒有提供initialValue, 會拋出TypeError
。若是數組僅有一個元素(不管位置如何)而且沒有提供initialValue, 或者有提供initialValue可是數組爲空,那麼此惟一值將被返回而且callback不會被執行。this
例如執行下面的代碼spa
[0,1,2,3,4].reduce(function(previousValue, currentValue, index, array){ return previousValue + currentValue; });
回調被執行四次,每次的參數和返回值以下表:prototype
previousValue |
currentValue |
index |
array |
return value | |
---|---|---|---|---|---|
first call | 0 |
1 |
1 |
[0,1,2,3,4] |
1 |
second call | 1 |
2 |
2 |
[0,1,2,3,4] |
3 |
third call | 3 |
3 |
3 |
[0,1,2,3,4] |
6 |
fourth call | 6 |
4 |
4 |
[0,1,2,3,4] |
10 |
reduce
的返回值是回調函數最後一次被調用的返回值(10)。code
若是把初始值做爲第二個參數傳入 reduce
,最終返回值變爲20,結果以下:對象
[0,1,2,3,4].reduce(function(previousValue, currentValue, index, array){ return previousValue + currentValue; }, 10);
previousValue |
currentValue |
index |
array |
return value | |
---|---|---|---|---|---|
第一次調用 | 10 |
0 |
0 |
[0,1,2,3,4] |
10 |
第二次調用 | 10 |
1 |
1 |
[0,1,2,3,4] |
11 |
第三次調用 | 11 |
2 |
2 |
[0,1,2,3,4] |
13 |
第四次調用 | 13 |
3 |
3 |
[0,1,2,3,4] |
16 |
第五次調用 | 16 |
4 |
4 |
[0,1,2,3,4] |
20 |
var total = [0, 1, 2, 3].reduce(function(a, b) { return a + b; }); // total == 6
var flattened = [[0, 1], [2, 3], [4, 5]].reduce(function(a, b) { return a.concat(b); }); // flattened is [0, 1, 2, 3, 4, 5]
Array.prototype.reduce
被添加到 ECMA-262 標準第 5 版;所以可能在某些實現環境中不被支持。能夠將下面的代碼插入到腳本開頭來容許在那些未能原生支持 reduce
的實現環境中使用它。blog
if ('function' !== typeof Array.prototype.reduce) { Array.prototype.reduce = function(callback, opt_initialValue){ 'use strict'; if (null === this || 'undefined' === typeof this) { // At the moment all modern browsers, that support strict mode, have // native implementation of Array.prototype.reduce. For instance, IE8 // does not support strict mode, so this check is actually useless. throw new TypeError( 'Array.prototype.reduce called on null or undefined'); } if ('function' !== typeof callback) { throw new TypeError(callback + ' is not a function'); } var index, value, length = this.length >>> 0, isValueSet = false; if (1 < arguments.length) { value = opt_initialValue; isValueSet = true; } for (index = 0; length > index; ++index) { if (this.hasOwnProperty(index)) { if (isValueSet) { value = callback(value, this[index], index, this); } else { value = this[index]; isValueSet = true; } } } if (!isValueSet) { throw new TypeError('Reduce of empty array with no initial value'); } return value; }; }
參考:https://developer.mozilla.org/zh-CN/docs/Web/JavaScript/Reference/Global_Objects/Array/Reduce索引