1.call方法作用:
让原型上的 call 方法执行,在执行 call 方法时,让调用 call 的方法中的 this 指向 call 方法里的第一个参数,再执行调用 call 的这个方法。
var obj = {name:'Jula'}
function fn(){
var name = 'Locy';
console.log(this.name);
}
fn.call(obj)
function fn1(){console.log(1)}
function fn2(){console.log(2)}
fn1.call(fn2); //1 最终执行 fn1
fn1.call.call(fn2) // 2 最终执行 fn2
Function.prototype.call(fn1) // undefined 执行Function.prototype 是匿名(空)函数
Function.prototype.call.call.call(fn1) //1 最终执行 fn1
首先 fn1 通过原型链机制找到 Function.prototype 找到 call 方法,并且让 call 方法执行,此时 call 这个方法中的 this 就是要操作的 fn1,在 call 方法执行过程中让 fn1 的 “this 关键字” 变为 fn2,然后再执行 fn1,fn1 的执行结果为 1。
fn1.call.call(fn2) 最后一个 call 方法执行,fn1.call -> 执行时,让里面的 this 变为 fn2 ,所以 fn1.call 即为 fn2 执行。
2. 非严格模式和严格模式下的 call 的行为:
function fn(num1,num2){
console.log(num1 + num2);
console.log(this);
}
fn(100,200) // 分别输出 : 300 window
fn.call(100,300) // 分别输出 :NaN Number 让 this 指向第一个参数,以后的参数给 fn 传值。
fn.call() // this-> window , 在严格模式下 this -> undefined
fn.call(null) // this -> window ,在严格模式下 this -> null
fn.call(undefined) // this -> window ,在严格模式下 this -> undefined
3. call、apply 、bind 区别:
apply 方法传递参数时,必须把参数放在一个数组中传值。
bind :
var obj ={name: 'jack'}
function fn(a,b){
console.log(a+b,this);
}
fn.call(obj,1,3) // 4, obj
var re = fn.bind(obj, 1, 3)
re() // 4 , obj
bind 方法在 IE6 ~8 下不兼容,bind 只是改变了 fn 中的 this 改变为 obj ,并向 fn 里传递参数,但此时并执行 fn,执行 bind 会有一个返回值,这个返回值就是就是把 fn 的 this 改变后的结果。体现了预处理思想。