本文只是單純的想給一些基礎差的朋友分析一下如何去實現原理。數組
上圖是map 的規範函數
兩個參數:ui
第一個參數是 callbackfn 回調函數,this
第二個參數是 thisArg: 是任意對象。是用來替換遍歷函數上下文 this 的指向。spa
返回值: 數組prototype
所以,map 函數的意義就是對整個屬性進行一次改變,並返回一個相同長度的數組。code
let array1 = [ { a: 1 }, 2, 3, 4]
let obj = {}
let array2 = array1.map(function (item, index, arr) {
console.log(this === obj) // true
if (typeof item === 'object') {
item.a = 2
}
return item
}, obj)
console.log(array1[0] === array2[0]) // true
複製代碼
// 1. 根據map 的特色,有兩個入參
Array.prototype.myMap = function(callbackfn, thisArg) {
var newArray = [] // 新數組
// 對以前的數組進行 copy,新數組不影響原數組,可是值爲引用類型仍是被同時被影響。
var currentArray = this.slice() // 方法一
// var currentArray = Array.prototype.slice.call(this) // 方法二
// var currentArray = [...this]
for(var i = 0; i < currentArray.length; i++) {
// 3.注入回調的三個參數,並能夠有 thisArg 影響,上下文環境
newArray.push(callbackfn.call(thisArg, currentArray[i], currentArray))
}
return newArray
}
複製代碼
就是如此的簡單。cdn