相關推薦:《javascript影片教學》
#今天我們來看看Array中Array.forEach()
和Array.map()
方法之間的區別。
forEach()
和map()
方法通常用於遍歷Array元素,但幾乎沒有區別,我們來一一介紹。
forEach()
方法傳回undefined
,而map()
傳回一個包含已轉換元素的新陣列。
const numbers = [1, 2, 3, 4, 5]; // 使用 forEach() const squareUsingForEach = []; numbers.forEach(x => squareUsingForEach.push(x*x)); // 使用 map() const squareUsingMap = numbers.map(x => x*x); console.log(squareUsingForEach); // [1, 4, 9, 16, 25] console.log(squareUsingMap); // [1, 4, 9, 16, 25]
由於forEach()
回傳undefined
,所以我們需要傳遞一個空數組來建立一個新的轉換後的陣列。 map()
方法不存在這樣的問題,它直接傳回新的轉換後的陣列。在這種情況下,建議使用map()
方法。
map()
方法輸出可以與其他方法(如reduce()
、 sort()
、filter()
)連結在一起,以便在一語句中執行多個操作。
另一方面,forEach()
是一個終端方法,這意味著它不能與其他方法鏈接,因為它會傳回undefined
。
我們使用以下兩種方法找出數組中每個元素的平方和:
onst numbers = [1, 2, 3, 4, 5]; // 使用 forEach() const squareUsingForEach = [] let sumOfSquareUsingForEach = 0; numbers.forEach(x => squareUsingForEach.push(x*x)); squareUsingForEach.forEach(square => sumOfSquareUsingForEach += square); // 使用 map() const sumOfSquareUsingMap = numbers.map(x => x*x).reduce((total, value) => total + value) ; console.log(sumOfSquareUsingForEach); // 55 console.log(sumOfSquareUsingMap); // 55
當需要多個操作時,使用forEach()
方法是一項非常乏味的工作。我們可以在這種情況下使用map()
方法。
// Array: var numbers = []; for ( var i = 0; i 9f623e67e7dafa725f8c449472b9e812 squareUsingForEach.push(x*x)); console.timeEnd("forEach"); // 2. map() console.time("map"); const squareUsingMap = numbers.map(x => x*x); console.timeEnd("map");
這是在MacBook Pro的Google Chrome v83.0.4103.106(64位元)上執行上述程式碼後的結果。建議複製上面的程式碼,然後在自己控制台中嘗試。
forEach: 26.596923828125ms map: 21.97998046875ms
顯然,map()
方法比forEach()
轉換元素好。
這兩種方法都不能用break
中斷,否則會引發例外:
const numbers = [1, 2, 3, 4, 5]; // break; inside forEach() const squareUsingForEach = []; numbers.forEach(x => { if(x == 3) break; // 51b160109e97c852400ef5e1a3eb0e86 { if(x == 3) break; // <- SyntaxError return x*x; });
上面程式碼會拋出SyntaxError
:
ⓧ Uncaught SyntaxError: Illegal break statement
如果需要中斷遍歷,則應使用簡單的for迴圈或for-of
/for-in
循環。
const numbers = [1, 2, 3, 4, 5]; // break; inside for-of loop const squareUsingForEach = []; for(x of numbers){ if(x == 3) break; squareUsingForEach.push(x*x); }; console.log(squareUsingForEach); // [1, 4]
建議使用map()
轉換陣列的元素,因為它語法短,可連結且效能較好。
如果不想傳回的陣列或不轉換陣列的元素,則使用forEach()
方法。
最後,如果要基於某種條件停止或中斷數組的便利,則應使用簡單的for迴圈或for-of
/ for-in
迴圈。
原文網址:https://codingnconcepts.com/javascript/difference-between-foreach-and-map-in-javascript-array/
作者:Ashish Lahoti
譯文地址:https://segmentfault.com/a/1190000038421334
更多程式相關知識,請造訪:程式設計教學! !
以上是Array中 forEach() 和 map() 的區別的詳細內容。更多資訊請關注PHP中文網其他相關文章!