這篇文章要為大家介紹JavaScript中使用擴充運算子的10種方法。有一定的參考價值,有需要的朋友可以參考一下,希望對大家有幫助。
我們可以使用展開運算子複製數組,但要注意的是這是一個淺拷貝。
const arr1 = [1,2,3]; const arr2 = [...arr1]; console.log(arr2); // [ 1, 2, 3 ]
這樣我們就可以複製一個基本的數組,注意,它不適用於多層數組或帶有日期或函數的數組。
假設我們有兩個陣列想合併為一個,早期間我們可以使用concat
方法,但現在可以使用展開運算子:
const arr1 = [1,2,3]; const arr2 = [4,5,6]; const arr3 = [...arr1, ...arr2]; console.log(arr3); // [ 1, 2, 3, 4, 5, 6 ]
我們也可以用不同的排列方式來說明哪一個應該先出現。
const arr3 = [...arr2, ...arr1]; console.log(arr3); [4, 5, 6, 1, 2, 3];
此外,展開運算符號也適用多個陣列的合併:
const output = [...arr1, ...arr2, ...arr3, ...arr4];
let arr1 = ['this', 'is', 'an']; arr1 = [...arr1, 'array']; console.log(arr1); // [ 'this', 'is', 'an', 'array' ]
假設你有一個user
的對象,但它缺少一個age
屬性。
const user = { firstname: 'Chris', lastname: 'Bongers' };
要為這個user
物件新增age
,我們可以再次利用展開運算元。
const output = {...user, age: 31};
假設我們有一個數字數組,我們想要得到這些數字中的最大值、最小值或總和。
const arr1 = [1, -1, 0, 5, 3];
為了得到最小值,我們可以使用展開運算元和 Math.min
方法。
const arr1 = [1, -1, 0, 5, 3]; const min = Math.min(...arr1); console.log(min); // -1
同樣,要獲得最大值,可以這麼做:
const arr1 = [1, -1, 0, 5, 3]; const max = Math.max(...arr1); console.log(max); // 5
如大家所見,最大值5
,如果我們刪除5
,它將返回3
。
你可能會好奇,如果我們不使用展開運算元會發生什麼事?
const arr1 = [1, -1, 0, 5, 3]; const max = Math.max(arr1); console.log(max); // NaN
這會回傳NaN,因為JavaScript不知道陣列的最大值是什麼。
假設我們有一個函數,它有三個參數。
const myFunc(x1, x2, x3) => { console.log(x1); console.log(x2); console.log(x3); }
我們可以用以下方式呼叫這個函數:
myFunc(1, 2, 3);
但是,如果我們要傳遞一個陣列會發生什麼。
const arr1 = [1, 2, 3];
我們可以使用展開運算元將這個陣列擴展到我們的函數中。
myFunc(...arr1); // 1 // 2 // 3
這裡,我們將陣列分成三個單獨的參數,然後傳遞給函數。
const myFunc = (x1, x2, x3) => { console.log(x1); console.log(x2); console.log(x3); }; const arr1 = [1, 2, 3]; myFunc(...arr1); // 1 // 2 // 3
假設我們有一個函數,它接受無限個參數,如下所示:
const myFunc = (...args) => { console.log(args); };
如果我們現在呼叫這個帶有多個參數的函數,會看到下面的情況:
myFunc(1, 'a', new Date());
返回:
[ 1, 'a', Date { __proto__: Date {} } ]
然後,我們就可以動態地循環遍歷參數。
假設我們使用了展開運算子來取得頁面上的所有p
:
const el = [...document.querySelectorAll('p')]; console.log(el); // (3) [p, p, p]
在這裡可以看到我們從dom中獲得了3個p
。
現在,我們可以輕鬆地遍歷這些元素,因為它們是陣列了。
const el = [...document.querySelectorAll('p')]; el.forEach(item => { console.log(item); }); // <p></p> // <p></p> // <p></p>
假設我們有一個物件user
:
const user = { firstname: 'Chris', lastname: 'Bongers', age: 31 };
現在,我們可以使用展開運算子將其分解為單一變數。
const {firstname, ...rest} = user; console.log(firstname); console.log(rest); // 'Chris' // { lastname: 'Bongers', age: 31 }
這裡,我們解構了user
對象,並將firstname
解構為firstname
變量,將物件的其餘部分解構為rest
變數。
展開運算子的最後一個用例是將一個字串分解成單字。
假設我們有以下字串:
const str = 'Hello';
然後,如果我們對這個字串使用展開運算子,我們將得到一個字母數組。
const str = 'Hello'; const arr = [...str]; console.log(arr); // [ 'H', 'e', 'l', 'l', 'o' ]
~ 完
原文網址:https://dev.to/dailydevtips1/10-ways-to-use-the-spread-operator-in-javascript-1imb
作者:Chris Bongers
譯文網址:https://segmentfault.com/a/1190000038998504
#更多程式相關知識,請造訪:程式影片! !
以上是詳解JavaScript擴充運算子的10種用法(總結)的詳細內容。更多資訊請關注PHP中文網其他相關文章!