JavaScript中的this指针

this是 JavaScript 中的一个关键字。它用在对象的方法中。 this 总是指向调用该方法的对象。

一、使用this指针

1、在对象中使用this

var man = "刘德华";
var obj = {
    woman: "范冰冰",
    test: function () {
        // 1、输出值为"undefined"
        console.log(this.man);
        // 2、输出值为“范冰冰”
        console.log(this.woman);
    }
};
// 3、输出值为“刘德华”
console.log(this.man);
obj.test();

(1)使用var关键字定义的变量默认挂载在window对象下,而this又默认指向window对象,因此3中的this.man输出“刘德华”。
(2)根据this的定义,this将永远指向调用其方法的对象。因此在执行obj对象下的test方法时,因obj对象下并没有man属性所以输出"undefined",而woman属性包含在obj对象下所以输出“范冰冰”。

2、在原型(Prototype)或构造函数(Constructor)中使用this
var Obj = function () {
    this.name2 = "Fan bingbing";
};
Obj.prototype = {
    name: "范冰冰",
    test2: function () {
        console.log(this.name);
        console.log(this.name2);
    }
};
var obj2 = new Obj();
obj2.test2();

当我们使用new关键字去实例化一个新对象的时候,this会指向原型或构造函数所在的对象。此示例中的this会指向Obj对象

二、改变this指向(JavaScript三剑客:bind()、call()、apply())

1、使用call改变this指向
var test = function () {
    console.log(this.name);```````
};
var person = {
    name: "Fan bingbing"
};
test.call(person);

此示例通过call方法将this指针绑定到person对象上,因此输出“Fan bingbing”。

2、使用apply改变this指向
var test = function () {
    console.log(this.name);
};
var person = {
    name: "Fan bingbing"
};
test.apply(person);

此示例通过call方法将this指针绑定到person对象上,因此输出“Fan bingbing”。

3、使用bind改变this指向
var test = function () {
    console.log(this.name);
};
var person = {
    name: "Fan bingbing"
};
test.bind(person)();

此示例通过call方法将this指针绑定到person对象上,因此输出“Fan bingbing”。

三、ES6中的this指针

1、箭头函数中的this
var man = "刘德华";
var obj = {
    woman: "范冰冰",
    test:  () => {
        // 1、输出值为"undefined"
        console.log(this.man);
        // 2、输出值为“范冰冰”
        console.log(this.woman);
    }
};
// 3、输出值为“刘德华”
console.log(this.man);
obj.test();

1、var关键字定义的变量默认挂载于window对象上,this又默认指向window对象,所以3中输出“刘德华”。
2、obj对象的test方法是一个箭头函数,其能够输出this.man的值却无法输出this.woman的值,表明箭头函数并不改变this指针指向。

2、class中的this
var man = "刘德华";
class Person {
    woman = "范冰冰";
    test() {
        console.log(this.man);
        console.log(this.woman);
    }
    static test2() {
        console.log(this);
        console.log(this.man);
        console.log(this.woman);
    }

}
var p = new Person();
Person.test2();
p.test();

1、在Class中,this指针将指向其自身,而当实例化之后this将指向其实例,所以输出“范冰冰”而无法输出"刘德华"

你可能感兴趣的:(JavaScript中的this指针)