// var foo = {
// value: 1
// }
// function bar(){
// console.log(this.value)
// }
// var bindFoo = bar.bind(foo)
// bindFoo()
Function.prototype.bind2 = Function.prototype.bind || function (context) {
// 兼容性处理
if(typeof this !== 'function') {
throw new Error('Function.prototype.bind - what is trying to be bound is not callable')
}
var self = this
var args = Array.prototype.slice.call(arguments, 1)
// 考虑到直接修改fbound的prototype,会直接修改原函数的prototype,可以通过一个函数来中转下
var fNOP = function() {}
var fbound = function () {
var bindArgs = Array.prototype.slice.call(arguments)
// 考虑两种情况
// 1、作为构造函数时,this指向实例,self指向绑定函数
// 2、作为普通函数时,this指向window,self指向绑定函数
self.apply(this instanceof self ? this : context, args.concat(bindArgs))
}
// 修改返回函数的prototype为绑定函数的prototype,实例就可以继承函数的原型中的值
fNOP.prototype = this.prototype
fbound.prototype = new fNOP()
return fbound
}
// var foo = {
// value: 1
// }
// function bar(name,age) {
// console.log(this.value)
// console.log(name)
// console.log(age)
// }
// var bindFoo = bar.bind(foo, 'kack')
// bindFoo(18)
var value = 2
var foo = {
value: 1
}
function bar(name, age) {
this.habit = 'shopping'
console.log(this.value)
console.log(name)
console.log(age)
}
bar.prototype.friend = 'kevin'
var bindFoo = bar.bind(foo, 'daisy')
var obj = new bindFoo(18)
console.log(obj.habit)
console.log(obj.friend)
console