数组的拓展方法

Posted gopark

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了数组的拓展方法相关的知识,希望对你有一定的参考价值。

1. .indexOf(element) / .lastIndexOf(element)

这两个方法用于查找数组内指定元素位置,查找到第一个后返回其索引,没有查找到返回-1,indexOf从头至尾搜索,lastIndexOf反向搜索

var a = [1,2,3,6,2,7,4]

console.log(a.indexOf(2)) // 1 正数第一个2
console.log(a.indexOf(8)) //-1 数组中没有那个元素

console.log(a.lastIndexOf(2)) // 4 倒数第一个2
console.log(a.lastIndexOf(8)) //-1 数组中没有那个元素

2. .forEach(element, index, array)

遍历数组,参数为一个回调函数,回调函数有三个参数:

  • 当前元素
  • 当前元素索引值
  • 整个数组
var arr = new Array(1, 2, 3, 4);
arr.forEach(function(e,i,array)
    array[i]= e + 1; //每项加1
);
console.log(arr); //[2, 3, 4, 5,]

3. .map(function(element))

与forEach类似,遍历数组,回调函数返回值组成一个新数组返回,新数组索引结构和原数组一致,原数组不变

var a = [1, 2, 3, 4, 5, 6]

console.log(a.map(function(e)
  return e + e
))  // [1, 4, 6, 8, 10, 12]
console.log(a) //[1, 2, 3, 4, 5, 6]

4. .every(function(element, index, array)) / .some(function(element, index, array))

回调函数返回一个布尔值
every是所有函数的每个回调函数都返回true的时候才会返回true,当遇到false的时候终止执行,返回false
some函数是“存在”有一个回调函数返回true的时候终止执行并返回true,否则返回false
在空数组上调用every返回true,some返回false

var a = [1, 2, 3, 4, 5, 6]

console.log(a.every(function(e, i, arr)
return e < 5 //是不是每一个数都小于5
)) //false

console.log(a.some(function(e,i,arr)
  return e > 4 //是不是有一些数大于4
)) //ture

5. .filter(function(element))

返回数组的一个子集,回调函数用于逻辑判断是否返回,返回true则把当前元素加入到返回数组中,false则不加
新数组只包含返回true的值,索引缺失的不包括,原数组保持不变

var a = [1, 2, 3, 4, 5, 6]

console.log(a.filter(function(e)
  return e  > 3;
)) // [4, 5, 6]

console.log(a) //[1, 2, 3, 4, 5, 6]

6. .reduce(function(v1, v2), value) / .reduceRight(function(v1, v2), value)

遍历数组,调用回调函数,将数组元素组合成一个值,reduce从索引最小值开始,reduceRight反向,方法有两个参数,累计

  • 回调函数:把两个值合为一个,返回结果
  • value,一个初始值,可选
var a = [1, 2, 3, 4, 5, 6]
var b = a.reduce(function(v1, v2) 
  return v1 + v2 
)
 console.log(a) // 21

var b = a.reduceRight(function(v1, v2) 
  return v1 - v2 
, 100)
console.log(b) // 79

7.ES6为Array增加了find(),findIndex函数。

find()函数用来查找目标元素,找到就返回该元素,找不到返回undefined。

findIndex()函数也是查找目标元素,找到就返回元素的位置,找不到就返回-1。

他们的都是一个查找回调函数。

[1, 2, 3, 4].find((value, index, arr) => 
  
)

查找函数有三个参数。

value:每一次迭代查找的数组元素。

index:每一次迭代查找的数组元素索引。

arr:被查找的数组。

1.查找元素,返回找到的值,找不到返回undefined。

技术图片
const arr1 = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]
var ret1 = arr1.find((value, index, arr) => 
  return value > 4
)

var ret2 = arr1.find((value, index, arr) => 
  return value > 14
)
console.log(‘%s‘, ret1)
console.log(‘%s‘, ret2)
技术图片


参考链接:https://www.jianshu.com/p/6d255c14400a

以上是关于数组的拓展方法的主要内容,如果未能解决你的问题,请参考以下文章

数组拓展方法

数组拓展方法

数组的拓展方法

算法问题拓展——kadane算法及其二维数组的扩展

ES6数组的拓展

es6 有哪些拓展