在不适用apply和bind的前提下,手写call
call基本使用
function fn(a, b) {
console.log(this, a, b)
}
let obj = { name: "田本初" }
fn.call(obj, 1, 2) // { name: "田本初" } 1 2
基本写法,但是存在缺点:如果对象中原本
就有fn
属性会导致数据被删除。
Function.prototype.myCall = function (ctx, ...args) {
ctx.fn = this; // this就是 .call前的函数 这里指fn
ctx.fn(...args); // 执行函数
delete ctx.fn; // 函数执行完毕 删除
}
为确保属性不重名
,可以使用ES6的Symbol
Function.prototype.myCall = function (ctx, ...args) {
let key = Symbol("key")
ctx[key] = this; // this就是 .call前的函数 这里指fn
let result = ctx[key](...args); // 执行函数
delete ctx[key]; // 函数执行完毕 删除
return result
}
function fn(a, b) {
console.log(this, a, b) // { name: "田本初" } 1 2
return a + b
}
let obj = { name: "田本初" }
console.log(fn.myCall(obj, 1, 2)) // 3
判断 null 或 undefined 的情况,考虑js运行环境可能为node
,所以使用globalThis
而非window
。
Function.prototype.myCall = function (ctx, ...args) {
ctx = (ctx === null || ctx === undefined) ? globalThis : Object(ctx)
let key = Symbol("key")
// es5属性描述符
Object.defineProperty(ctx, key, {
value: this,
enumerable: false,
configurable: true
})
// ctx[key] = this; // this就是 .call前的函数 这里指fn
let result = ctx[key](...args); // 执行函数
delete ctx[key]; // 函数执行完毕 删除
return result
}
function fn(a, b) {
console.log(this, a, b)
return a + b
}
let obj = { name: "田本初" }
fn.myCall(obj, 1, 2)