map() 方法透過將提供的函數 (callbackFn) 應用於原始陣列的每個元素來建立一個 新陣列。它非常適合在不修改原始數組的情況下轉換資料。
array.map(callbackFn, thisArg)
const numbers = [1, 4, 9]; const roots = numbers.map((num) => Math.sqrt(num)); console.log(roots); // [1, 2, 3]
const kvArray = [ { key: 1, value: 10 }, { key: 2, value: 20 }, ]; const reformatted = kvArray.map(({ key, value }) => ({ [key]: value })); console.log(reformatted); // [{ 1: 10 }, { 2: 20 }]
// Common mistake: console.log(["1", "2", "3"].map(parseInt)); // [1, NaN, NaN] // Correct approach: console.log(["1", "2", "3"].map((str) => parseInt(str, 10))); // [1, 2, 3] // Alternative: console.log(["1", "2", "3"].map(Number)); // [1, 2, 3]
從回呼不傳回任何內容會導致新數組中未定義:
const numbers = [1, 2, 3, 4]; const result = numbers.map((num, index) => (index < 3 ? num : undefined)); console.log(result); // [1, 2, 3, undefined]
使用filter()或flatMap()刪除不需要的元素。
避免使用 map() 進行有副作用的操作,例如更新變數:
const cart = [5, 15, 25]; let total = 0; // Avoid this: const withTax = cart.map((cost) => { total += cost; return cost * 1.2; }); // Instead, use separate methods: const total = cart.reduce((sum, cost) => sum + cost, 0); const withTax = cart.map((cost) => cost * 1.2);
第三個參數(陣列)允許在轉換期間存取鄰居:
const numbers = [3, -1, 1, 4]; const averaged = numbers.map((num, idx, arr) => { const prev = arr[idx - 1] || 0; const next = arr[idx + 1] || 0; return (prev + num + next) / 3; }); console.log(averaged);
const elems = document.querySelectorAll("option:checked"); const values = Array.from(elems).map(({ value }) => value);
const products = [{ name: "phone" }]; const updated = products.map((p) => ({ ...p, price: 100 }));
在高效率轉換陣列時使用 map() 來簡化程式碼!
以上是了解 JavaScript 陣列的 map() 方法:簡單指南的詳細內容。更多資訊請關注PHP中文網其他相關文章!