自学内容网 自学内容网

Array.prototype.map()的用法和手写

1.Array.prototype.map()的基本使用

Array.prototype.map() 是 JavaScript 中数组的原型方法之一,用于对数组中的每个元素执行指定的操作,并返回操作结果组成的新数组。它的基本语法如下:

const newArray = array.map(callback(element,index,array) {
  // 返回新数组的元素
}, thisArg);

其中:

  • callback 是一个用于处理每个数组元素的函数,它可以接收三个参数:
    - element:当前正在处理的元素的值。
    • index(可选):当前正在处理的元素的索引。
    • array(可选):调用 map() 方法的数组本身。
  • thisArg 是可选参数,用于指定 callback 函数中的 this 值。
    map() 方法会按照数组元素顺序依次调用 callback 函数,并将每个元素的返回值组成一个新数组返回。原数组不会被修改。
    下面是一个简单的示例,说明了 map() 方法的用法:
const numbers = [1, 2, 3, 4, 5];
// 使用 map() 方法将每个元素加倍
const doubledNumbers = numbers.map((num) => {
  return num * 2;
});
console.log(doubledNumbers); // 输出: [2, 4, 6, 8, 10]

在这个示例中,map() 方法对 numbers 数组中的每个元素都执行了一个函数,将每个元素的值加倍,并将结果存储在 doubledNumbers 数组中。
map() 方法常用于对数组中的元素进行转换、映射或处理,并生成一个新的数组,非常方便地实现了数据的转换和操作。

2.手写Array.prototype.map()代码

Array.prototype._map=function(callback,thisArg){
            if(typeof callback!=="function"){
                throw Error('参数必须是函数')
            }
            const mapArray=[]
            const thisContext=thisArg||globalThis
            for(let i=0;i<this.length;i++){
                mapArray.push(callback.call(thisContext,this[i],i,this))
            }
            return mapArray;
        }
        const nums=[1,2,3,4,5]
        const mapNums=nums._map(num=> num*2)
        console.log(mapNums);

原文地址:https://blog.csdn.net/z142536x/article/details/143497215

免责声明:本站文章内容转载自网络资源,如本站内容侵犯了原著者的合法权益,可联系本站删除。更多内容请关注自学内容网(zxcms.com)!