摘要:nodejs中this指向问题


//第一种情况,全局中的this指向的是module.exports。

console.log(this); //{}
this.num = 10;
console.log(this.num); //10
console.log(global.num); //undefined
console.log(module.exports.num); //10



//第二种情况,在函数中this指向的是global对象,和全局中的this不是同一个对象,简单来说,你在函数中通过this定义的变量就是相当于给global添加了一个属性,此时与全局中的this已经没有关系了。

//例子一:
function fn(){
this.num = 20;
}
fn();
console.log(this); //{}
console.log(this.num); //undefined
console.log(global.num); //20


//例子二
function fn(){
    function fn2(){
        this.age = 18;
    }
    fn2();
    console.log(this); //global
    console.log(this.age); //18
    console.log(global.age); //18
}
fn();

//第三种情况,在构造函数中this指向的是它的实例,而不是global。
function Fn(){
    this.num = 998;
}
var fn = new Fn();
console.log(this); //{}
console.log(fn.num); //998
console.log(global.num); //undefined

原文链接:https://blog.csdn.net/QIUCHUNHUIGE/article/details/78099605