共计 2192 个字符,预计需要花费 6 分钟才能阅读完成。
Javascript 之 bind 办法的应用和实现
面试的时候常常会遇到手写 bind,apply,call 办法的口试题,明天咱们就来看看 bind 办法是什么并实现一下 bind 办法,免得面试的时候答复不上来。
首先理解一下 bind 办法是什么,实现了什么性能。
看看 MDN 上的介绍
Function.prototype.bind()
bind() 办法创立一个新的函数,在 bind() 被调用时,这个新函数的 this 被指定为 bind() 的第一个参数,而其余参数将作为新函数的参数,供调用时应用。
示例:
var hello = function (a, b, c, d) {console.log(this.temp); | |
console.log(a, b, c, d) | |
}; | |
var demo = {name: 'demo'}; | |
var h = hello.bind(demo, 1, 2); | |
h(3, 4); // out 'demo' '1 2 3 4' |
能够看出,bind 办法实现了更改原函数外部的 this 指向并返回了一个新函数进去。所以前面要有一个小括号,也就是执行后才会失去对应的后果。bind 中里第一个括号外面的第一个参数被当做函数的 this,其余参数包含前面执行函数时传入的参数顺次被原函数应用(柯里化)。
理解下面的外围后,咱们就能够结构本人的 bind 函数了。
首先,bind 是返回一个函数,那第一步就好说了:
Function.prototype.myBind = function (){return function(){}}
其次,bind 须要把 bind 前面第一个括号里的第一个参数作为原函数的 this
获取函数入参咱们须要略微理解下 arguments,这里举个例子:
var test = function (a, b, c, d) {console.log(arguments) | |
console.log(a, b, c, d) | |
}; | |
test(1, 2, 3) | |
// Arguments(3) [1, 2, 3, callee: ƒ, Symbol(Symbol.iterator): ƒ] | |
// 1 2 3 undefined |
也就是说 arguments 把传入数组的参数整顿成一个类数组对象啦,咱们不用多余定义形参就能获取参数,很不便。通过 arguments.length 咱们能够晓得传进来的参数个数。
接下来应用 arguments 持续革新:
Function.prototype.myBind = function () { | |
// 保留 bind 传入进来的第一个参数 | |
const params_first = arguments[0] | |
// 把 bind 传入的第 2,3,4... 等参数保存起来 | |
const arg = [] | |
for (let i = 1; i < arguments.length; i++) {arg.push(arguments[i]) | |
} | |
const that = this | |
console.log(params_first, arg) | |
return function () {return that} | |
} | |
hello.myBind(demo, 1, 2)() |
一步一步来,写到这里倡议读者打印一下,看看咱们实现了哪些性能。
ok,了解完下面的过程后,咱们持续做批改,毕竟只实现了保留 bind 传进来的参数这个性能。接下来尤为要害,咱们须要实现将原函数的 this 指向成 bind 传进来的第一个参数。
this 指向的只是就不多说了,简而言之,谁调用,this 就指向谁,所以要实现这个性能,须要将原函数改成传入对象的属性。
Function.prototype.myBind = function () { | |
// 保留 bind 传入进来的第一个参数 | |
const params_first = arguments[0] | |
// 把 bind 传入的第 2,3,4... 等参数保存起来 | |
const arg = [] | |
for (let i = 1; i < arguments.length; i++) {arg.push(arguments[i]) | |
} | |
// this 指向第一个参数,把原函数绑定成该参数的一个属性即可 | |
params_first.tempUniqueFunction = this | |
return function () {for (let i = 0; i < arguments.length; i++) {arg.push(arguments[i]) | |
} | |
const newFunction = params_first.tempUniqueFunction(...arg) | |
// 不要凭空给参数增加属性,所以用完咱们还得删除,因而用 newFunction 保留了新的 this 指向的函数 | |
delete params_first.tempUniqueFunction | |
return newFunction | |
} | |
} | |
hello.myBind(demo, 1, 2)(3, 4) | |
// 联合上面代码打印看看成果吧 | |
var hello = function (a, b, c, d) {console.log(this.name) | |
console.log(arguments) | |
}; | |
console.log(demo) | |
// demo | |
// Arguments(4) [1, 2, 3, 4, callee: ƒ, Symbol(Symbol.iterator): ƒ] | |
// {name: "demo"} |
其它的优化就是加一些参数校验,我这边就不再做解决。另外其它同学也有用 apply,call 来实现,总的来说思路都差不多,次要是能用就好了。今天再写写 apply,cal 办法的实现,有趣味的能够看看哈。