在js重构reduce函数
时间: 2023-07-04 17:16:29 浏览: 153
可以使用循环实现 reduce 函数的功能,如下所示:
```javascript
function reduce(arr, callback, initialVal) {
let accumulator = initialVal === undefined ? undefined : initialVal;
for (let i = 0; i < arr.length; i++) {
if (accumulator !== undefined) {
accumulator = callback.call(undefined, accumulator, arr[i], i, arr);
} else {
accumulator = arr[i];
}
}
return accumulator;
}
```
这个函数接受三个参数,分别是需要进行 reduce 操作的数组 arr,一个回调函数 callback 和可选的初始值 initialVal。在函数内部,我们定义了一个累加器 accumulator,并根据初始值的有无来判断是否需要将它初始化为 undefined。接着,我们使用一个 for 循环遍历数组,如果累加器不是 undefined,则调用回调函数对累加器和当前元素进行计算,否则直接将当前元素作为累加器的值。最后返回累加器的值即可。
相关问题
js原型重构reduce
在 JavaScript 中,reduce() 是一个高阶函数,它接受一个回调函数作为参数,用于对数组中的每个元素进行操作并返回一个累加器的结果。在使用 reduce() 函数时,可以通过原型重构的方式来扩展其功能。
以下是一个示例代码:
```
Array.prototype.myReduce = function(callback, initialValue) {
let accumulator = initialValue === undefined ? undefined : initialValue;
for (let i = 0; i < this.length; i++) {
if (accumulator !== undefined) {
accumulator = callback.call(undefined, accumulator, this[i], i, this);
} else {
accumulator = this[i];
}
}
return accumulator;
}
```
在这个示例中,我们通过将 reduce() 函数添加到 Array 的原型中来扩展其功能。我们使用了类似于原始 reduce() 函数的实现方式,但是添加了一个新的参数 initialValue,用于设置初始累加器的值。
通过这种方式,我们可以像使用原始的 reduce() 函数一样使用自定义的 myReduce() 函数,并且可以将其用作数组的方法。
在js中利用原型的特性重构es5中的数组的高阶函数
好的,我理解您的问题了。其实在ES5中的数组高阶函数本质上也是利用了原型的特性。不过在ES6中引入了箭头函数和更加简洁的语法,使得使用高阶函数更加方便。下面我将通过重构ES5中的数组高阶函数来展示如何利用原型的特性。
首先,我们来看一下ES5中的数组高阶函数的写法:
```
var arr = [1, 2, 3, 4, 5];
// map
var newArr = arr.map(function(item) {
return item * 2;
});
// filter
var filteredArr = arr.filter(function(item) {
return item > 3;
});
// reduce
var reducedValue = arr.reduce(function(acc, item) {
return acc + item;
}, 0);
```
现在我们来利用原型的特性,将这些高阶函数封装到数组的原型中:
```
Array.prototype.myMap = function(callback) {
var newArr = [];
for (var i = 0; i < this.length; i++) {
newArr.push(callback(this[i], i, this));
}
return newArr;
};
Array.prototype.myFilter = function(callback) {
var filteredArr = [];
for (var i = 0; i < this.length; i++) {
if (callback(this[i], i, this)) {
filteredArr.push(this[i]);
}
}
return filteredArr;
};
Array.prototype.myReduce = function(callback, initValue) {
var acc = initValue || this[0];
var startIndex = initValue ? 0 : 1;
for (var i = startIndex; i < this.length; i++) {
acc = callback(acc, this[i], i, this);
}
return acc;
};
```
现在我们就可以像使用ES5中的数组方法一样来使用我们的自定义方法了:
```
var arr = [1, 2, 3, 4, 5];
// myMap
var newArr = arr.myMap(function(item) {
return item * 2;
});
// myFilter
var filteredArr = arr.myFilter(function(item) {
return item > 3;
});
// myReduce
var reducedValue = arr.myReduce(function(acc, item) {
return acc + item;
}, 0);
```
以上就是用原型的特性重构ES5中的数组高阶函数的方法。希望可以帮助到您!
阅读全文