整理了一下数组遍历的方法数组
let arr = [1,2,3,4] for(let j = 0,len=arr.length; j < len; j++) { console.log(arr[j]); }
//1 没有返回值 arr.forEach((item,index,array)=>{ console.log(index+':'+arr[index]); }) //参数:value数组中的当前项, index当前项的索引, array原始数组; //数组中有几项,那么传递进去的匿名回调函数就须要执行几回;
map的回调函数中支持return返回值;
并不影响原来的数组,只是至关于把原数组克隆一份,把克隆的这一份的数组中的对应项改变了;函数
var ary = [12,23,24,42,1]; var res = ary.map(function (item,index,ary ) { return item*10; }) console.log(res);//-->[120,230,240,420,10]; 原数组拷贝了一份,并进行了修改 console.log(ary);//-->[12,23,24,42,1]; 原数组并未发生变化
能够调用break、continue语句测试
var myArray= [12,23,24,42,1]; for (var value of myArray) { console.log(value); }
不会改变原始数组,返回新数组spa
var arr = [ { id: 1, value: 2 }, { id: 2, value: 4 }, { id: 2, value: 7 }, ] let newArr = arr.filter(item => item.value>2); console.log(newArr ,arr )
every()是对数组中的每一项运行给定函数,若是该函数对每一项返回true,则返回true。若是返回false,就退出遍历code
var arr = [ 1, 2, 3, 4, 5, 6 ]; if(arr.every( function( item, index, array ){ return item > 3; })){ console.log("知足条件,每个都大于3" ); }else{ console.log("不知足条件,不是每个都大于3" ); }
some()是对数组中每一项运行指定函数,若是该函数对任一项知足条件,则返回true,就退出遍历;不然返回false。对象
var arr = [ 1, 2, 3, 4, 5, 6 ]; if(arr.some( function( item, index, array ){ return item > 3; })){ console.log(""); }else{ console.log("不知足条件,没有大于3的" ); }
reduce 为数组中的每个元素依次执行回调函数,不包括数组中被删除或从未被赋值的元素,接受四个参数:初始值(或者上一次回调函数的返回值),当前元素值,当前索引,调用 reduce 的数组。索引
var total = [0,1,2,3,4].reduce((a, b)=>a + b); //10 console.log(total)
reduceRight()方法的功能和reduce()功能是同样的,不一样的是reduceRight()从数组的末尾向前将数组中的数组项作累加。
reduceRight()首次调用回调函数callbackfn时,prevValue 和 curValue 能够是两个值之一。若是调用 reduceRight() 时提供了 initialValue 参数,则 prevValue 等于 initialValue,curValue 等于数组中的最后一个值。若是没有提供 initialValue 参数,则 prevValue 等于数组最后一个值, curValue 等于数组中倒数第二个值。ip
var arr = [0,1,2,3,4]; arr.reduceRight(function (preValue,curValue,index,array) { console.log(preValue ,curValue) return preValue + curValue; }); // 10
find()方法返回数组中符合测试函数条件的第一个元素。不然返回undefinedelement
let name= [ { name: '张三', gender: '男', age: 20 }, { name: '王小毛', gender: '男', age: 20 }, { name: '李四', gender: '男', age: 20 } ]; function getStu(element){ return element.name == '李四' } name.find(getStu)
对于数组中的每一个元素,findIndex 方法都会调用一次回调函数(采用升序索引顺序),直到有元素返回 true。只要有一个元素返回 true,findIndex 当即返回该返回 true 的元素的索引值。若是数组中没有任何元素返回 true,则 findIndex 返回 -1。
findIndex 不会改变数组对象。get
[1,2,3].findIndex(function(x) { x == 2; }); [1,2,3].findIndex(x => x == 4); [1,2,3].findIndex(x => x == 3);
ES6 提供三个新的方法 —— entries(),keys()和values() —— 用于遍历数组。它们都返回一个遍历器对象,能够用for...of循环进行遍历,惟一的区别是keys()是对键名的遍历、values()是对键值的遍历,entries()是对键值对的遍历
for (let index of ['a', 'b'].keys()) { console.log(index); } // 0 // 1 for (let elem of ['a', 'b'].values()) { console.log(elem); } // 'a' // 'b' for (let [index, elem] of ['a', 'b'].entries()) { console.log(index, elem); } // 0 "a" // 1 "b"