Bootstrap

【ES5】 新增方法概述 —— forEach() - filter() - some() - map() - trim() - Object

1.3 案例

//forEach 迭代(遍历)数组

let arr = [1, 2, 3]

arr.forEach((item, index, array) => {

console.log(“每个数组元素为” + item);

console.log(“每个数组元素的索引号为” + index);

console.log(“数组本身” + array);

})

/*

每个数组元素为1

每个数组元素的索引号为0

数组本身1,2,3

每个数组元素为2

每个数组元素的索引号为1

数组本身1,2,3

每个数组元素为3

每个数组元素的索引号为2

数组本身1,2,3

*/

2. filter


创建一个新数组, 其包含通过所提供函数实现的测试的所有元素。

2.1 写法

array.filter( function(Item,index,arr) )

  • Item:数组当前项

  • index: 数组当前索引

  • arr: 数组本身

2.2 特点

  • 有返回值:一个新的、由通过测试的元素组成的数组,如果没有任何数组元素通过测试,则返回空数组。

  • 常用于在一个数组中,筛选出对自己有用的数据

2.3 案例

从数组中筛选出大于10的数字

//filter 迭代(遍历)数组

let arr = [1, 6, 14, 2, 42, 4]

let resuslt = arr.filter((item, index, array) => {

return item > 10

})

console.log(resuslt); // [14, 42]

3. some


some()方法用于检测数组中的元素是否满足指定条件.通俗点查找数组中是否有满足条件的元素

3.1 写法

array.some( function(Item,index,arr) )

  • Item:数组当前项

  • index: 数组当前索引<

;