接上一篇文章:JavaScript的数组的常用方法(一)
一、数组查找的方法
indexOf(val[, fromIndex = 0])
- 数组的indexOf方法用来查找数组中某个val值第一次出现的索引,找不到返回 -1
- val表示待查找的值
- fromIndex可选参数,表示起始查找位置,默认值是0
lastIndexOf(val[, fromIndex = arr.length - 1])
- 数组的lastIndexOf()方法用来查找数组中的某个val值第一次出现的索引,找不到返回 -1,lastIndexOf是从数组的最后往前找。
- val表示待查找的值
- fromIndex可选参数,表示起始查找位置,默认值是数组的长度-1
find
findIndex
二、累积计算结果
array.reduce((reslute, currentValue, index, array) => {}, initialValue)
数组的reduce方法适合用来计算数组某一指定内容的累加或者其他运算结果的总结果。
简单实例:
let arr = [1, 2, 3];
const result = arr.reduce((res, cur) => {
return res += cur; //注意要把每一次的计算结果返回给res。
},0); //这个0是res的初始值,可改为任意数字。
console.log(result) // 6
复杂一点的实例:
把数组里的每一项变成了对象,而不是简单的数字了。
let arr = [{
name: 'wuxiaodi',
age: 18,
}, {
name: 'liushan',
age: 16,
}, {
name: 'xiaomingge',
age: 20,
}];
const result = arr.reduce((res, cur) => {
return res += cur.age;
},0);
console.log(result)
再复杂一点的实例:
数组的每一项是对象,而且要过滤条件
let arr = [{
name: 'wuxiaodi',
age: 18,
}, {
name: 'liushan',
age: 16,
}, {
name: 'xiaomingge',
age: 20,
}];
const result = arr.reduce((res, cur) => {
if (cur.name !== 'liushan') { //当前的人不是'liushan'就累加年龄
return res += cur.age;
}
return res += 0; //否则加0,如果不写这句话的话就相当于是返回了一个null,最后的结果就是NaN了,这里要注意一下。
},0);
console.log(result) //38
array.reduceRight((reslute, currentValue, index, array) => {}, initialValue)
用法与array的reduce方法一致,只是reduceRight的计算过程是从后往前,而reduce是从前往后。
三、填充
fill
其他
Array.isArray(param)
判断参数param是否是Array
是数组返回true
不是数组返回false
未完待续。。。