展開運算符(用三個連續的點 ( ... )
表示)是 ES6
中的新概念,使你可以將字面量對象展開爲多個元素。數組
展開運算符的一個用途是結合數組。數據結構
若是你須要結合多個數組,在有展開運算符以前,必須使用 Array
的 concat()
方法。app
const fruits = ["apples", "bananas", "pears"]; const vegetables = ["corn", "potatoes", "carrots"]; const produce = [...fruits, ...vegetables]; console.log(produce);
因爲擴展運算符能夠展開數組,因此再也不須要apply
方法,將數組轉爲函數的參數了。函數
// ES5 的寫法 function f(x, y, z) { // ... } var args = [0, 1, 2]; f.apply(null, args); // ES6的寫法 function f(x, y, z) { // ... } let args = [0, 1, 2]; f(...args); Math.max(...[3,5,6]) //6
Array.from方法用於將兩類對象轉爲真正的數組:相似數組的對象(array-like object)
和可遍歷(iterable)
的對象(包括 ES6
新增的數據結構 Set 和 Map)。ui
let arrayLike = { '0': 'a', '1': 'b', '2': 'c', length: 3 }; // ES5的寫法 var arr1 = [].slice.call(arrayLike); // ['a', 'b', 'c'] // ES6的寫法 let arr2 = Array.from(arrayLike); // ['a', 'b', 'c']
實際應用中,常見的相似數組的對象是 DOM
操做返回的 NodeList
集合,以及函數內部的arguments
對象。Array.from
均可以將它們轉爲真正的數組.prototype
// NodeList對象 let ps = document.querySelectorAll('p'); Array.from(ps).filter(p => { return p.textContent.length > 100; }); // arguments對象 function foo() { var args = Array.from(arguments); // ... }
只要是部署了 Iterator
接口的數據結構,Array.from
都能將其轉爲數組。code
Array.from('hello') // ['h', 'e', 'l', 'l', 'o'] let namesSet = new Set(['a', 'b']) Array.from(namesSet) // ['a', 'b']
值得提醒的是,擴展運算符(...)也能夠將某些數據結構轉爲數組。對象
// arguments對象 function foo() { const args = [...arguments]; } // NodeList對象 [...document.querySelectorAll('div')]
Array.of
方法用於將一組值,轉換爲數組。接口
Array.of(3, 11, 8) // [3,11,8] Array.of(3) // [3] Array.of(3).length // 1
這個方法的主要目的,是彌補數組構造函數Array()
的不足。由於參數個數的不一樣,會致使Array()
的行爲有差別。字符串
Array.of
老是返回參數值組成的數組。若是沒有參數,就返回一個空數組。
數組實例的find
方法,用於找出第一個符合條件的數組成員。它的參數是一個回調函數,全部數組成員依次執行該回調函數,直到找出第一個返回值爲true
的成員,而後返回該成員。若是沒有符合條件的成員,則返回undefined
。
[1, 5, 10, 15].find(function(value, index, arr) { return value > 9; }) // 10
上面代碼中,find
方法的回調函數能夠接受三個參數,依次爲當前的值、當前的位置和原數組。
數組實例的findIndex
方法的用法與find方法很是相似,返回第一個符合條件的數組成員的位置,若是全部成員都不符合條件,則返回-1。
[1, 5, 10, 15].findIndex(function(value, index, arr) { return value > 9; }) // 2
Array.prototype.includes
方法返回一個布爾值,表示某個數組是否包含給定的值,與字符串的includes
方法相似。ES2016
引入了該方法。
[1, 2, 3].includes(2) // true [1, 2, 3].includes(4) // false [1, 2, NaN].includes(NaN) // true
該方法的第二個參數表示搜索的起始位置,默認爲0。若是第二個參數爲負數,則表示倒數的位置
[1, 2, 3].includes(3, 3); // false [1, 2, 3].includes(3, -1); // true