请稍候,加载中....

JavaScript this对象

面向对象语言中 this 表示当前对象的一个引用。

但在 JavaScript 中 this 不是固定不变的,它会随着执行环境的改变而改变。

  • 在方法中,this 表示该方法所属的对象。
  • 如果单独使用,this 表示全局对象。
  • 在函数中,this 表示全局对象。
  • 在函数中,在严格模式下,this 是未定义的(undefined)。
  • 在事件中,this 表示接收事件的元素。
  • 类似 call() 和 apply() 方法可以将 this 引用到任何对象。

 


方法中的 this

在对象方法中, this 指向调用它所在方法的对象。

在上面一个实例中,this 表示 person 对象。

fullName 方法所属的对象就是 person。

this实例 1

<script>
var person = {
  firstName: "John",
  lastName : "Doe",
  id       : 5566,
  fullName : function() {
    return this.firstName + " " + this.lastName;
  }
};
document.write(person.fullName())
</script>

 


全局环境对象 this

单独使用 this,则它指向全局(Global)对象。

在浏览器中,window 就是该全局对象为 [object Window]:

全局环境对象实例

<script>
var x = 10;
document.write(this.x)
document.write(this)
</script>

严格模式下,如果单独使用,this 也是指向全局(Global)对象。

 


函数中使用this

在函数中,this代表函数执行环境对象。

函数内部this实例

<script>
function myFunction() {
 
  return this;
}
document.write(myFunction())
</script>

函数中使用 this(严格模式)

严格模式下函数是没有绑定到 this 上,这时候 this 是 undefined

<script>
"use strict";
function myFunction() {
  return this;
}
document.write(myFunction())
</script>

 


事件中的 this

在 HTML 事件句柄中,this 指向了接收事件的 HTML 元素:

事件中this实例

<script>
   function show(obj){
      document.write(obj)
   }
</script>

<button onclick="show(this)">
点我
</button>

 


对象方法中this

对象方法中this指向对象

对象方法中this实例 1

<script>
var person = {
  firstName  : "John",
  lastName   : "Doe",
  id         : 5566,
  myFunction : function() {
    return this;
  }
};

document.write(person.myFunction())
</script>

对象方法中this实例 2

<script>
var person = {
  firstName: "John",
  lastName : "Doe",
  id       : 5566,
  fullName : function() {
    return this.firstName + " " + this.lastName;
  }
};
document.write(person.fullName())
</script>

说明: this.firstName 表示 this (person) 对象的 firstName 属性。

 


显式函数绑定

在 JavaScript 中函数也是对象,对象则有方法,apply 和 call 就是函数对象的方法。这两个方法异常强大,他们允许切换函数执行的上下文环境(context),即 this 绑定的对象。

call实例

方法中的this对象为call方法的输入参数指定的对象
在下面实例中,当我们使用 person2 作为参数来调用 person1.fullName 方法时,this 将指向 person2, 即便它是 person1 的方法:

<script>
var person1 = {
  fullName: function() {
    return this.firstName + " " + this.lastName;
  }
}
var person2 = {
  firstName:"John",
  lastName: "Doe",
}
full_name = person1.fullName.call(person2);  // 返回 "John Doe"
document.write(full_name)
</script>

Python学习手册-