道理:
- 高等浏览器支撑forEach要领
语法:forEach和map都支撑2个参数:一个是回调函数(item,index,list)和上下文; - forEach:用来遍历数组中的每一项;这个要领实行是没有返回值的,对本来数组也没有影响;
- 数组中有几项,那末通报进去的匿名回调函数就须要实行频频;
- 每一次实行匿名函数的时刻,还给其通报了三个参数值:数组中确当前项item,当前项的索引index,原始数组input;
- 理论上这个要领是没有返回值的,仅仅是遍历数组中的每一项,不对本来数组举行修正;然则我们能够本身经由过程数组的索引来修正本来的数组;
- forEach要领中的this是ary,匿名回调函数中的this默许是window;
var ary = [12,23,24,42,1];
var res = ary.forEach(function (item,index,input) {
input[index] = item*10;
})
console.log(res);//-->undefined;
console.log(ary);//-->会对本来的数组发生转变;
- map:和forEach异常类似,都是用来遍历数组中的每一项值的,用来遍历数组中的每一项;
- 区分:map的回调函数中支撑return返回值;return的是啥,相当于把数组中的这一项变为啥(并不影响本来的数组,只是相当于把原数组克隆一份,把克隆的这一份的数组中的对应项转变了);
- 不管是forEach照样map 都支撑第二个参数值,第二个参数的意义是把匿名回调函数中的this举行修正。
var ary = [12,23,24,42,1];
var res = ary.map(function (item,index,input) {
return item*10;
})
console.log(res);//-->[120,230,240,420,10];
console.log(ary);//-->[12,23,24,42,1];
加粗笔墨
- 不管是forEach照样map在IE6-8下都不兼容(不兼容的状况下在Array.prototype上没有这两个要领),那末须要我们本身封装一个都兼容的要领,代码以下:
/**
* forEach遍历数组
* @param callback [function] 回调函数;
* @param context [object] 上下文;
*/
Array.prototype.myForEach = function myForEach(callback,context){
context = context || window;
if('forEach' in Array.prototye) {
this.forEach(callback,context);
return;
}
//IE6-8下本身编写回调函数实行的逻辑
for(var i = 0,len = this.length; i < len;i++) {
callback && callback.call(context,this[i],i,this);
}
}
/**
* map遍历数组
* @param callback [function] 回调函数;
* @param context [object] 上下文;
*/
Array.prototype.myMap = function myMap(callback,context){
context = context || window;
if('map' in Array.prototye) {
return this.map(callback,context);
}
//IE6-8下本身编写回调函数实行的逻辑
var newAry = [];
for(var i = 0,len = this.length; i < len;i++) {
if(typeof callback === 'function') {
var val = callback.call(context,this[i],i,this);
newAry[newAry.length] = val;
}
}
return newAry;
}