例:现有一组数据,只展示days>=30的数据,且work为1设置color:“#ffffff”,work:0设置color:“#ff0000”:
const dataList = [{
days: 31,
name: "占位文字31",
work: 0
}, {
days: 30,
name: "占位文字30",
work: 1
}, {
days: 29,
name: "占位文字29",
work: 1
}, {
days: 28,
name: "占位文字28",
work: 0
}, {
days: 27,
name: "占位文字27",
work: 1
}];
const newdataList = dataList.flatMap(item => {
if (item.days <= 30) {
const color = item.work == 1 ? "#ffffff" : "#ff0000"
item.color = color;
return [item];
} else {
return [];
}
})
console.log(newdataList)
// [
// {"days": 30,"name": "占位文字30","work": 1,"color": "#ffffff"},
// {"days": 29,"name": "占位文字29","work": 1,"color": "#ffffff"},
// {"days": 28,"name": "占位文字28","work": 0,"color": "#ff0000"},
// {"days": 27,"name": "占位文字27","work": 1,"color": "#ffffff"}
// ]
数组的成员有时还是数组,Array.prototype.flat()用于将嵌套的数组“拉平”,变成一维的数组。该方法返回一个新数组,对原数据没有影响。
[1, 2, [3, 4]].flat()
// [1, 2, 3, 4]
flat()默认只会“拉平”一层,如果想要“拉平”多层的嵌套数组,可以将flat()方法的参数写成一个整数,表示想要拉平的层数,默认为1。
[1, 2, [3, [4, 5]]].flat()
// [1, 2, 3, [4, 5]]
[1, 2, [3, [4, 5]]].flat(2)
// [1, 2, 3, 4, 5]
如果不管有多少层嵌套,都要转成一维数组,可以用Infinity关键字作为参数
[1, [2, [3]]].flat(Infinity)
// [1, 2, 3]
flatMap()方法对原数组的每个成员执行一个函数(相当于执行Array.prototype.map()),然后对返回值组成的数组执行flat()方法。该方法返回一个新数组,不改变原数组。
// 相当于 [[2, 4], [3, 6], [4, 8]].flat()
[2, 3, 4].flatMap((x) => [x, x * 2])
// [2, 4, 3, 6, 4, 8]
flatMap()只能展开一层数组。
// 相当于 [[[2]], [[4]], [[6]], [[8]]].flat()
[1, 2, 3, 4].flatMap(x => [[x * 2]])
// [[2], [4], [6], [8]]
flatMap()方法的参数是一个遍历函数,该函数可以接受三个参数,分别是当前数组成员、当前数组成员的位置(从零开始)、原数组。
arr.flatMap(function callback(currentValue[, index[, array]]) {
// ...
}[, thisArg])
flatMap()方法还可以有第二个参数,用来绑定遍历函数里面的this。