this作用域详解

  大家在使用Javascript的时候经常被this这个家伙搞得晕头转向的。在Javascript中它却显得古灵精怪的,因为它不是固定不变的,而是随着它的执行环境的改变而改变。在Javascript中this总是指向调用它所在方法的对象。接下来我们一个一个方面,举例说明

一、全局的this(浏览器)

1 console.log(this.document === document) //true
2 console.log(this === window) //true
3 this.a = 37;
4 console.log(window.a); //37

 

二、一般函数的this(浏览器)

function f1(){
    return this;
}
f1()===window; //true,global object

 

三、作为对象方法的函数的this

var o = {
    prop:37,
    f:function(){
        return this.prop;
    }
};
console.log(o.f()); //37
f作为一个对象的方法,那么作为对象的方法去调用的时候,比如o.f调用的时候,这种情况,这个this,一般会指向对象

var o = {
    prop:37
};
function indepedent(){
    return this.prop;
}
o.f = indepedent;
console.log(o.f()); //37
这里并不是去看函数是再怎么样创建的,而是只要将这个函数作为对象的方法,这个o.f去调用的话,那么这个this就会指向这个o    

 

四、对象原型链上的this

var o = {
    f.function(){
        return this.a + this.b;
    }
}
var p = Object.create(o);
p.a = 1;
p.b = 4;
console.log(p.f); //5
这里p的原型是o,那么p.f的时候调用的是对象o上面的函数属性f,this也指向p    

 

五、get/set方法与this

function modules(){
  return Math.sqrt(this.re * this.re + this.im * this.im);
}
var o = {
  re :1,
  im:-1,
  get phase(){
    return this.im+this.re;
  }
};
Object.defineProperty(o,'modules',{
  get:modules,enumerable:true,configurable:true
});
console.log(o.phase,o.modules); // 0 根号2

 

六、构造器中的this

function MyClass(){
    this.a = 37;
}
var o = new MyClass();
console.log(o.a); //37
function C2(){
    this.a = 37;
    return{
        a:38
    }
}
o=new C2();
console.log(o.a); //38
new一个MyClass空对象,如果没有返回值,默认会返回this,有返回值,那么o就指向返回的对象了    

 

七、bind方法与this

function f(){
  return this.a;
}
var g = f.bind({
    a:'test'
});
console.log(g()); //test
var o = {
    a:37,
    f:f,    
    g:g
};
console.log(o.f(),o.g()); //37,test
    

 

八、call/apply方法与this

function add(c,d){
    return this.a + this.b+c+d;
}
var o = {
    a:1,
    b:3
};
add.call(o,5,7); //1+3+5+7 = 16 add(5,7)
add.apply(o,[10,20]); //1+3+10+20 = 34
function bar(){
    console.log(Object.prototype.toString.call(this));
}
bar.call(7); //[Objedt Number]

 

posted @ 2017-06-07 21:31  wzndkj  阅读(61)  评论(0编辑  收藏  举报