当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


JavaScript Array map()用法及代码示例


在本教程中,我们将借助示例了解 JavaScript Array map() 方法。

map() 方法使用为每个数组元素调用函数的结果创建一个新数组。

示例

let numbers = [2, 4, 6, 8, 10];

// function to return the square of a number
function square(number) {
  return number * number;
}

// apply square() function to each item of the numbers list
let square_numbers = numbers.map(square);
console.log(square_numbers);

// Output: [ 4, 16, 36, 64, 100 ]

map() 语法

用法:

arr.map(callback(currentValue), thisArg)

这里,arr 是一个数组。

参数:

map() 方法包含:

  • callback- 为每个数组元素调用的函数。它的返回值被添加到新数组中。它包含:
    • currentValue - 从数组传递的当前元素。
  • thisArg(可选)- 执行 callback 时用作 this 的值。默认情况下,它是 undefined

返回:

  • 返回一个新数组,其中元素作为每个元素的 callback 函数的返回值。

注意

  • map() 不会更改原始数组。
  • map() 按顺序为每个数组元素执行一次callback
  • map() 不对没有值的数组元素执行 callback

示例 1:使用自定义函数映射数组元素

const prices = [1800, 2000, 3000, 5000, 500, 8000];

let newPrices = prices.map(Math.sqrt);
// [ 42.42640687119285, 44.721359549995796, 54.772255750516614,
//   70.71067811865476, 22.360679774997898, 89.44271909999159 ]
console.log(newPrices);

// custom arrow function
const string = "JavaScript";
const stringArr = string.split(''); // array with individual string character

let asciiArr = stringArr.map(x => x.charCodeAt(0));

// map() does not change the original array
console.log(stringArr); // ['J', 'a', 'v', 'a','S', 'c', 'r', 'i', 'p', 't']

console.log(asciiArr); // [ 74,  97, 118,  97, 83,  99, 114, 105, 112, 116 ]

输出

[
  42.42640687119285,
  44.721359549995796,
  54.772255750516614,
  70.71067811865476,
  22.360679774997898,
  89.44271909999159
]
[
  'J', 'a', 'v', 'a',
  'S', 'c', 'r', 'i',
  'p', 't'
]
[
   74,  97, 118,  97,
   83,  99, 114, 105,
  112, 116
]

示例 2:map() 用于数组中的对象元素

const employees = [
    { name: "Adam", salary: 5000, bonus: 500, tax: 1000 },
    { name: "Noah", salary: 8000, bonus: 1500, tax: 2500 },
    { name: "Fabiano", salary: 1500, bonus: 500, tax: 200 },
    { name: "Alireza", salary: 4500, bonus: 1000, tax: 900 },
];

// calculate the net amount to be given to the employees
const calcAmt = (obj) => {
    newObj = {};
    newObj.name = obj.name;
    newObj.netEarning = obj.salary + obj.bonus - obj.tax;
    return newObj;
};

let newArr = employees.map(calcAmt);
console.log(newArr);

输出

[
  { name: 'Adam', netEarning: 4500 },
  { name: 'Noah', netEarning: 7000 },
  { name: 'Fabiano', netEarning: 1800 },
  { name: 'Alireza', netEarning: 4600 }
]

注意map()分配undefined到新数组,如果callback函数返回undefined或者什么都没有。

相关用法


注:本文由纯净天空筛选整理自 JavaScript Array map()。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。