ES6 ---- 数组

  • Array.from()
    将类似数组对象或者可遍历对象(iterable)转为数组

let arrayLike = {
'0': 'a',
'1': 'b',
'2': 'c',
length: 3
};
let arr2 = Array.from(arrayLike); // ['a', 'b', 'c']
Array.from('hello') // ['h', 'e', 'l', 'l', 'o']
let namesSet = new Set(['a', 'b'])
Array.from(namesSet) // ['a', 'b']
Array.from(arrayLike, x => x * x);
// 等同于
Array.from(arrayLike).map(x => x * x);


* 扩展运算符(...)也可以将默写数据结构转为数组

function foo(){
Set set=new Set([1,2,3]);
var args=[...set]
}

* Array.of()
将一组值转换为数组

Array.of(3, 11, 8) // [3,11,8]
Array.of(3) // [3]

* Array.copyWithin()
将指定位置的成员复制到其他位置,覆盖原有成员

[1,2,3,4,5].copyWithin(0,3)
//[4,5,3,4,5]
[1, 2, 3, 4, 5].copyWithin(0, 3, 4)// 将3号位复制到0号位
// [4, 2, 3, 4, 5]
[1, 2, 3, 4, 5].copyWithin(0, -2, -1)// -2相当于3号位,-1相当于4号位
// [4, 2, 3, 4, 5]

* 查找第一满足条件的成员或索引并返回

//参数分别表示:值,索引,数组
[1, 5, 10, 15].find(function(value, index, arr) {
return value > 9;
}) // 10
[1, 5, 10, 15].findIndex(function(value, index, arr) {
return value > 9;
}) // 2


* 数组的遍历

//遍历索引
for (let index of ['a', 'b'].keys()) {
console.log(index);
}
//遍历值
for (let elem of ['a', 'b'].values()) {
console.log(elem);
}
//遍历数组
for (let [index, elem] of ['a', 'b'].entries()) {
console.log(index, elem);
}

* 判断数组中是否包含某值

[1, 2, 3].includes(2); // true
[1, 2, 3].includes(4); // false
//第二个参数表示从某个位置开始
[1, 2, 3].includes(3, 3); // false
[1, 2, 3].includes(3, -1); // true 负数表示从后面开始




你可能感兴趣的:(ES6 ---- 数组)