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中文网其他相关文章!