天天看點

ES6三點(...)擴充運算符

擴充運算符将一個數組轉為用逗号分隔的參數序列

console.log(...[a, b, c])  
// a b c
           

用于:

1 将一個數組,變為參數序列

let add = (x, y) => x + y;
            let numbers = [3, 45];
            console.log(add(...numbers))//48
           

2 使用擴充運算符展開數組代替apply方法,将數組轉為函數的參數

//ES5 取數組最大值
console.log(Math.max.apply(this, [654, 233, 727]));
//ES6 擴充運算符
console.log(Math.max(...[654, 233, 727]))
//相當于
console.log(Math.max(654, 233, 727))
           

3 使用push将一個數組添加到另一個數組的尾部

// ES5  寫法  
var arr1 = [1, 2, 3];  
var arr2 = [4, 5, 6];  
Array.prototype.push.apply(arr1, arr2); 
//push方法的參數不能是數組,通過apply方法使用push方法 
// ES6  寫法  
let arr1 = [1, 2, 3];  
let arr2 = [4, 5, 6];  
arr1.push(...arr2); 
           

4 合并數組

var arr1 = ['a', 'b'];  
var arr2 = ['c'];  
var arr3 = ['d', 'e'];  
// ES5 的合并數組  
arr1.concat(arr2, arr3);  
// [ 'a', 'b', 'c', 'd', 'e' ]  
// ES6 的合并數組  
[...arr1, ...arr2, ...arr3]  
// [ 'a', 'b', 'c', 'd', 'e' ] 
           

5 将字元串轉換為數組

[...'hello']  
// [ "h", "e", "l", "l", "o" ] 
//ES5
str.split('')
           

6 轉換僞數組為真數組

var nodeList = document.querySelectorAll('p');  
var array = [...nodeList]; 
//具有iterator接口的僞數組,非iterator對象用Array.from方法
           

7 map結構

let map = new Map([  
[1, 'one'],  
[2, 'two'],  
[3, 'three'],  
]);  
let arr = [...map.keys()]; // [1, 2, 3]
           

8數組或對象拷貝

//對象淺拷貝,obj1複制給obj2
const obj1 = {a: 1};
const obj2 = {...obj1};