this

全局作用域中的this:

console.log(this.document === document);  // true

console.log(this === window); //true

this.a = 37;
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());  // logs 37

//////////////////////////////////////////////
var o = {prop: 37};

function independent() {
    return this.prop;
}
//  如果没有下面这句赋值,this指向是的window
o.f = independent;
console.log(o.f());  // logs 37

对象原型链上的this:

var o = {
    function() {
        return this.a + this.b;
    }
};
var p = Object.create(o);
p.a = 1;
p.b = 4;

console.log(p.f());  // 5

get/set方法与this:

function modulus() {
    return Math.sqrt(this.re * this.re + this.im * this.im);
}

var o = {
    re: 1,
    im: -1,
    get phase() {
        return Math.atan2(this.im, this.re);
    }
};
// Object.defineProperty创建一个不能被修改的对象的属性。
Object.defineProperty(o, 'modulus', {
    get: modulus,
    enumerable: true,
    configurable: true
});

console.log(o.phase, o.modulus);  // logs -0.78 1.4142

构造器中的this:

function MyClass() {
    this.a = 37;
}

var o = new MyClass();
console.log(o.a);

function C2() {
    this.a = 37;
    return {a: 38};
}

o = new C2();
console.log(o.a);  // 38

call/apply方法与this:

function add(c, d) {
    return this.a + this.b + c + d;
}

var o = {
    a: 1,
    b : 3
};
// call是把每一参数都传进去
// apply是把参数作为一个数组传进去
add.call(o. 5, 7); // 1 + 3 + 5 + 7 = 16
add.apply(o, [10, 20]); // 1 + 3 + 10 + 20 = 34

function bar() {
    console.log(Object.prototype.toString.call(this));
}

bar.call(7); // "[object Number]"

bind方法与this

// bind适合绑定一次,然后重复调用
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

你可能感兴趣的:(this)