首页 > 代码库 > this对象

this对象

1.纯粹的函数调用

function test(){        this.x = 1;        alert(this.x);    }    test();//1

2.函数作为某个对象的方法进行调用,这是this就指向这个上级的对象。

function test()    {        alert(this.x);    }    var o = {};    o.x = 1;    o.m = test;    o.m();//1

3.作为构造函数进行调用

function test(){        this.x = 1;    }    var test1 = new test();    alert(test1.x);//1

为了证明此时this不是指向全局变量

var x = 2;    function test(){     this.x = 1;    }    var o = new test();    alert(x);//2

4.apply调用apply方法中第一个参数就是this指向的对象

var x = 2;    function test(){        alert(this.x);    }    var o = {};    o.x = 1;    o.m = test;    o.m.apply(o);

 

this对象