SOURCE

/*参数:item:当前元素值;index:当前元素下标; array:当前数组
以下6个方法IE9及以上才支持。不过可以通过babel转义支持IE低版本。 
以上均不改变原数组。 
some、every返回true、false。 
map、filter返回一个新数组。 
reduce让数组的前后两项进行某种计算,返回最终操作的结果。 
forEach 无返回值。
*/
let array = [1, 2, 3, 4];
console.log("===========1.forEach()===============");
//forEach会遍历数组, 没有返回值, 不允许在循环体内写return, 不会改变原来数组的内容.
function test1() {
  array.forEach((item, index, array) => {
    console.log(item);
  })
}
console.log("===========2.map()===============");
//map遍历数组, 会返回一个新数组, 不会改变原来数组里的内容
function test2() {
  let temp = array.map((item, index, array) => {
    return item = item * 10;
  });
  console.log(temp);
  let temp2 = array.map(String);  
  // 把数组里的元素都转成字符串
  console.log(temp2);
}
console.log("===========3.filter(===============");
//filter会过滤掉数组中不满足条件的元素, 把满足条件的元素放到一个新数组中, 不改变原数组
function test3() {
  let temp = array.filter((item, index, array) => {  
    return item > 2;
  });
  console.log(temp)
}
console.log("===========4.reduce(===============");
// 让数组的前后两项进行某种计算,返回最终操作的结果
// x 是上一次计算过的值, 第一次循环的时候是数组中的第1个元素
// y 是数组中的每个元素, 第一次循环的时候是数组的第2个元素
function test4() {
  let temp = array.reduce((x, y) => {  
    return x + y;
  });
  console.log(temp);   // 10
  console.log(array);   // [1, 2, 3, 4]
}
console.log("===========5.every(===============");
//every遍历数组, 每一项都是true, 则返回true, 只要有一个是false, 就返回false
function test5() {
  let bo = array.every((item, index, array) => {  
    return item > 2;
  });
  console.log(bo);     // false;
}
console.log("===========6.some(===============");
//遍历数组的每一项, 有一个返回true, 就停止循环
function test6() {
  let temp = array.some((item, index, array) => {      
    return item > 1;
  });
  console.log(temp);   // true
}
test6()
console 命令行工具 X clear

                    
>
console