在函数执行时,this 老是指向调用该函数的对象。要判断 this 的指向,其实就是判断 this 所在的函数属于谁。java
在《javaScript语言精粹》这本书中,把 this 出现的场景分为四类,简单的说就是:数组
函数有所属对象时,一般经过 .
表达式调用,这时 this
天然指向所属对象。好比下面的例子:闭包
jsvar myObject = {value: 100}; myObject.getValue = function () { console.log(this.value); // 输出 100 // 输出 { value: 100, getValue: [Function] }, // 其实就是 myObject 对象自己 console.log(this); return this.value; }; console.log(myObject.getValue()); // => 100
getValue()
属于对象 myObject
,并由 myOjbect
进行 .
调用,所以 this
指向对象 myObject
。app
jsvar myObject = {value: 100}; myObject.getValue = function () { var foo = function () { console.log(this.value) // => undefined console.log(this);// 输出全局对象 global }; foo(); return this.value; }; console.log(myObject.getValue()); // => 100
在上述代码块中,foo
函数虽然定义在 getValue
的函数体内,但实际上它既不属于 getValue
也不属于 myObject
。foo
并无被绑定在任何对象上,因此当调用时,它的 this
指针指向了全局对象 global
。函数
听说这是个设计错误。this
js 中,咱们经过 new
关键词来调用构造函数,此时 this 会绑定在该新对象上。设计
js
var SomeClass = function(){ this.value = 100; } var myCreate = new SomeClass(); console.log(myCreate.value); // 输出100
顺便说一句,在 js 中,构造函数、普通函数、对象方法、闭包,这四者没有明确界线。界线都在人的心中。指针
apply() 方法接受两个参数第一个是函数运行的做用域,另一个是一个参数数组(arguments)。code
call() 方法第一个参数的意义与 apply() 方法相同,只是其余的参数须要一个个列举出来。对象
简单来讲,call 的方式更接近咱们平时调用函数,而 apply 须要咱们传递 Array 形式的数组给它。它们是能够互相转换的。
jsvar myObject = {value: 100}; var foo = function(){ console.log(this); }; foo(); // 全局变量 global foo.apply(myObject); // { value: 100 } foo.call(myObject); // { value: 100 } var newFoo = foo.bind(myObject); newFoo(); // { value: 100 }