this关键词
JavaScript this 关键词指的是它所属的对象。
this 拥有不同的值,具体取决于它的使用位置:
在方法中,this 指的是所有者对象。单独的情况下,this 指的是全局对象。在函数中,this 指的是全局对象。在函数中,严格模式下,this 是 undefined。在事件中,this 指的是接收事件的元素。
1.方法中的this
<p id="demo"></p>
<script>
// 创建对象:
var person = {
firstName: "Bill",
lastName : "Gates",
id : 678,
fullName : function() {
return this.firstName + " " + this.lastName;
}
};
// 显示来自对象的数据:
document.getElementById("demo").innerHTML = person.fullName();
</script>
在对象方法中,this 指的是此方法的“拥有者”。 此例中,this 指的是 person 对象。
2.单独的 this
<p id="demo"></p>
<script>
var x = this;
document.getElementById("demo").innerHTML = x;
</script>
在单独使用时,拥有者是全局对象,因此 this 指的是全局对象。 在本例中,this 引用 window 对象 在严格模式中,如果单独使用,那么 this 指的是全局对象。
3.函数中的 this(默认)
<p id="demo"></p>
<script>
document.getElementById("demo").innerHTML = myFunction();
function myFunction() {
return this;
}
</script>
在 JavaScript 函数中,函数的拥有者默认绑定 this。
因此,在函数中,this 指的是全局对象。
4.函数中的 this(严格模式)
<p id="demo"></p>
<script>
"use strict";
document.getElementById("demo").innerHTML = myFunction();
function myFunction() {
return this;
}
</script>
JavaScript 严格模式不允许默认绑定。
因此,在函数中使用时,在严格模式下,this 是未定义的(undefined)。
5.事件处理程序中的 this
<button onclick="this.style.display='none'">单击来删除我!</button>
在 HTML 事件处理程序中,this 指的是接收此事件的 HTML 元素。
6.对象方法绑定
<p id="demo"></p>
<script>
// 创建对象:
var person = {
firstName : "Bill",
lastName : "Gates",
id : 678,
myFunction : function() {
return this;
}
};
// 显示来自对象的数据:
document.getElementById("demo").innerHTML = person.myFunction();
</script>
在此例中,this 是 person 对象(person 对象是该函数的“拥有者”)
7.显式函数绑定
<p id="demo"></p>
<script>
var person1 = {
fullName: function() {
return this.firstName + " " + this.lastName;
}
}
var person2 = {
firstName:"Bill",
lastName: "Gates",
}
var x = person1.fullName.call(person2);
document.getElementById("demo").innerHTML = x;
</script>
在本例中,当使用 person2 作为参数调用 person1.fullName 时,this 将引用 person2,即使它是 person1 的方法: