0%

JavaScript this 的指向

一共有4中情况:

  • 1.纯粹的函数调用
    属于全局性调用,因此this就代表全局对象Global。
1
2
3
4
5
6
var x = 1;
function test(){
  this.x = 0;
}
test();
alert(x); //0这里是调用了 test(),把 this.x 从1改成了0,所以这个时候的 this 指向的是全局变量
  • 2.作为对象方法的调用
    函数还可以作为某个对象的方法调用,这时this就指这个上级对象。

    1
    2
    3
    4
    5
    6
    7
    function test(){
        alert(this.x);
      }
      var o = {};
      o.x = 1;
      o.m = test;
      o.m(); // 1
  • 3.作为构造函数调用
    所谓构造函数,就是通过这个函数生成一个新对象(object)。这时,this就指这个新对象。

1
2
3
4
5
6
var x = 2;
  function test(){
    this.x = 1;
  }
  var o = new test();
  alert(x); //2
  • 4.apply调用
    apply()是函数对象的一个方法,它的作用是改变函数的调用对象,它的第一个参数就表示改变后的调用这个函数的对象。因此,this指的就是这第一个参数。
1
2
3
4
5
6
7
8
var x = 0;
function test(){
  alert(this.x);
}
var o={};
o.x = 1;
o.m = test;
o.m.apply(); //0

apply()的参数为空时,默认调用全局对象。因此,这时的运行结果为0,证明this指的是全局对象。
如果把最后一行代码修改为

1
2
 o.m.apply(o); //1
 运行结果就变成了1,证明了这时this代表的是对象o。