面对对象语言中 this 表示当前对象的一个引用。
但在JavaScript 中 this 不是固定不变的,它会随着执行环境的改变而改变。
在方法中,this 表示该方法所属的对象。
如果单独使用,this 表示全局对象。
在函数中,this 表示全局对象。
在函数中,在严格模式下,this 是未定义的(undefined)。
在事件中,this 表示接受事件的元素。
类似call() 和 apply() 方法可以将 this 引用到任何对象。
实例:
<script>
var person = {
firstName:'John';
lastName:'Doe';
id:5566;
fullName:function(){
return this.firstName + " " + this.lastName;
}
};
</script>
方法中的 this
在对象方法中 ,this 指向调用它所在方法的对象。
在上面一个实例中,this 表示 person 对象。
fullName 方法所属的对象就是 person。
实例:
<script>
fullName:function(){
return this.firstName + " " + this.lastName;
}
</script>
单独使用 this
单独使用 this,则它指向全局(Global)对象。
在浏览器中,window 就是该全局对象为 [object Window]:
<script>
var x = this;
</script>
严格模式下,如果单独使用,this 也是指向全局(Global)对象。
<script>
"use strict";
var x = this;
</script>
函数中使用 this(默认)
在函数中,函数的所属默认绑定到 this 上。
在浏览器中,window 就是该全局对象为 [object Window]:
<script>
function myFunction(){
return this;
}
</script>
函数中使用 this (严格模式)
严格模式下函数是没有绑定到 this 上,这时候 this 是 undefined。
<script>
"use strict";
function myFunction(){
return this;
}
</script>
事件中的 this
在 HTML 事件句柄中,this 指向了接受事件的 HTML 元素:
<script>
<button onclick = "this.style.display = 'none'">
点我后我就消失了
</button>
</script>
对象方法中绑定
下面实例中,this 是 person 对象,person 对象是函数的所有者:
<script>
var person = {
firstName:'John',
lastName:'Doe',
id:5566,
myFunction:function(){
return this;
}
};
</script>
<script>
var person = {
firstName:'John',
lastName:'Doe',
id:5566,
fullName:function(){
return this.firstName + " " + this.lastName;
}
};
</script>
说明:this.firstName 表示 this(person)对象的 firstName 属性。
显示函数绑定
在 JavaScript 中函数也是对象,对象则有方法,apply 和 call 就是函数对象的方法。这两个方法异常强大,他们允许切换函数执行的上下文环境(context),即 this 绑定的对象。
在下面的实例中,当我们使用 person2作为参数来调用 person1.fullName 方法时,this 将指向 person2,即便它是 person1的方法:
<script>
var person1 = {
fullName:function(){
return this.firstName + " " + this.lastName;
}
}
var person2 = {
firstName:"John",
lastName:"Doe",
}
person1.fullName.call(person2);//返回"John Doe"
</script>