共计 2009 个字符,预计需要花费 6 分钟才能阅读完成。
数组的扩大
开展运算符
Array.from()
Array.of()
find(),findIndex()
fill()
entries(),keys(),values()
includes()
flat()
-
开展运算符
console.log(...[1, 2, 3]) // 1 2 3 console.log(1, ...[2, 3, 4], 5) // 1 2 3 4 5 [...document.querySelectorAll('div')] // [<div>, <div>, <div>]
- Array.from()
Array.from 办法用于将两类对象转为真正的数组:相似数组的对象(array-like object)和可遍历(iterable)的对象(包含 ES6 新增的数据结构 Set 和 Map)
function foo() {var args = Array.from(arguments);
// ...
}
Array.from('hello')
// ['h', 'e', 'l', 'l', 'o']
let namesSet = new Set(['a', 'b'])
Array.from(namesSet) // ['a', 'b']
- Array.of()
将一组值,转换为数组
Array.of(3, 11, 8) // [3,11,8]
Array.of(3) // [3]
Array.of(3).length // 1
Array() 办法没有参数、一个参数、三个参数时,返回的后果都不一样。只有当参数个数不少于 2 个时,Array() 才会返回由参数组成的新数组。参数只有一个正整数时,实际上是指定数组的长度
Array.of() // []
Array.of(undefined) // [undefined]
Array.of(1) // [1]
Array.of(1, 2) // [1, 2]
- 数组实例的 find() 和 findIndex() 办法
数组实例的 find 办法,用于找出第一个符合条件的数组成员。它的参数是一个回调函数,所有数组成员顺次执行该回调函数,直到找出第一个返回值为 true 的成员,而后返回该成员。如果没有符合条件的成员,则返回 undefined
[1, 4, -5, 10].find((n) => n < 0)
// -5
数组实例的 findIndex 办法的用法与 find 办法十分相似,返回第一个符合条件的数组成员的地位,如果所有成员都不符合条件,则返回 -1。
[1, 5, 10, 15].findIndex(function(value, index, arr) {return value > 9;}) // 2
- 数组实例的 fill()
fill 办法应用给定值,填充一个数组
['a', 'b', 'c'].fill(7)
// [7, 7, 7]
new Array(3).fill(7)
// [7, 7, 7]
fill 办法还能够承受第二个和第三个参数,用于指定填充的起始地位和完结地位
['a', 'b', 'c'].fill(7, 1, 2)
// ['a', 7, 'c']
- entries(),keys() 和 values()
它们都返回一个遍历器对象, 能够用 for…of 循环进行遍历
惟一的区别是 keys() 是对键名的遍历、values() 是对键值的遍历,entries() 是对键值对的遍历
for (let index of ['a', 'b'].keys()) {console.log(index);
}
// 0
// 1
for (let elem of ['a', 'b'].values()) {console.log(elem);
}
// 'a'
// 'b'
for (let [index, elem] of ['a', 'b'].entries()) {console.log(index, elem);
}
// 0 "a"
// 1 "b"
-
数组实例的 includes()
[1, 2, 3].includes(2) // true [1, 2, 3].includes(4) // false [1, 2, NaN].includes(NaN) // true
该办法的第二个参数示意搜寻的起始地位,默认为 0。如果第二个参数为正数,则示意倒数的地位,如果这时它大于数组长度(比方第二个参数为 -4,但数组长度为 3),则会重置为从 0 开始。
[1, 2, 3].includes(3, 3); // false [1, 2, 3].includes(3, -1); // true
indexOf 办法有两个毛病,一是不够语义化,它的含意是找到参数值的第一个呈现地位,所以要去比拟是否不等于 -1,表白起来不够直观。二是,它外部应用严格相等运算符(===)进行判断,这会导致对 NaN 的误判
[NaN].indexOf(NaN) //-1 [NaN].includes(NaN) //true
- 数组实例的 flat()
将嵌套的数组“拉平”,变成一维的数组。该办法返回一个新数组,对原数据没有影响
[1, 2, [3, [4, 5]]].flat()
// [1, 2, 3, [4, 5]]
[1, 2, [3, [4, 5]]].flat(2)
// [1, 2, 3, 4, 5]