Javascript 是一种后期绑定语言。事实上,这是非常晚的绑定。不仅this
在编译时不受约束,甚至在运行时也不受约束(就像大多数其他后期绑定语言一样)。在 javascript 中,this
在调用时绑定。
绑定规则与大多数其他 OO 语言有很大不同,这就是为什么它似乎让很多不熟悉 javascript 的人感到困惑。
基本上,您this
在代码中使用的方式和位置不会影响this
行为方式(无论它是独立函数还是对象文字等都没有关系)。决定 值的this
是您如何调用函数。
规则是:
1 - 当函数作为构造函数被调用时,会创建一个新对象并将this
其绑定到该对象。例如:
function Foo () {
this.bar = 1; // when called with the new keyword
// this refers to the object just created
}
new Foo().bar;
2 - 当作为对象调用时,方法this
是指该方法所属的对象。基本上是最后一个点之前的名称。例如:
foo.bar = 1;
foo.baz = function () {
alert(this.bar); // this refers to foo when called as foo.baz()
}
foo.baz();
3 - 如果在任何函数之外使用,或者如果一个函数没有被调用作为方法this
引用全局对象。javascript 规范除了说存在一个全局对象外,并没有为全局对象命名,但对于浏览器,它传统上称为window
. 例如:
bar = 1;
alert(this.bar); // this refers to the global object
foo = {
bar: this.bar // also global object
}
function foofoo () {
alert(this.bar); // also refers to the global object
}
foofoo();
4 - 在事件处理程序中(例如 onclick 等)this
是指触发事件的 DOM 元素。或者对于与 DOM 无关的事件,例如setTimeout
或XMLHTTPRequest
,this
指的是全局对象。例如:
foo.bar = 1;
foo.baz = function () {
alert(this.bar); // this would normally be foo but if this
// function is assigned to an event it would
// point to the element that triggered the event
}
somediv.bar = 2;
somediv.onclick = foo.baz; // clicking on somedive alerts 2 instead of 1
5 - 最后,当使用call()
或apply()
方法调用函数时,this
可以将其重新分配给任何东西(谷歌“mdn function.prototype.call”)。这样,javascript 中的任何对象都可以借用/窃取另一个对象的方法。例如:
cat = {
type: "cat",
explain: function () {
return "I am a " + this.type;
}
}
dog = {
type: "dog"
}
cat.explain.call(dog); // returns "I am a dog"
随着Function.bind()
现代JavaScript实现我们现在有另一个规则:
6 - 函数还可以this
使用该bind()
方法显式绑定到对象。该bind
方法返回函数的一个新实例,其中this
绑定到传递给 的参数bind
。例如:
function explain () {
return "I am a " + this.type;
}
dog = {
type: "dog"
}
var dog_explain = explain.bind(dog);
dog_explain(); // returns "I am a dog"
ECMAscript 5 引入了严格模式,它改变了不是作为方法调用或通过 call 或 apply 调用的函数中 this 的含义,因此我们必须添加新规则:
7 - 在严格模式下,this
不允许引用全局对象(浏览器中的窗口)。因此,当函数未作为方法调用或未this
通过call
或手动绑定到任何内容时apply
,bind
则this
变为undefined
:
"use strict";
function foo () {
return this;
}
foo(); // returns undefined instead of the global object
ECMAscript 6 引入了箭头函数。箭头函数通过提前绑定来改变它的行为方式。
8 - 在箭头函数中,this
在声明函数时绑定。所以this
在下面的代码中:
var x = () => {return this};
就像函数被声明为如下代码一样:
var x = function () {return this}.bind(this);
请注意,由于this
in 箭头函数在声明函数时绑定,如果您想使用继承,则不能使用箭头函数。那是因为this
函数中的 将始终指向父对象,而永远不会指向子对象。这意味着使继承与箭头函数一起工作的唯一方法是覆盖父对象的所有箭头函数。