Node中存储的变量在哪里?

时间:2013-03-08 05:16:04

标签: javascript node.js variables scope global-variables

在任何Web浏览器中执行以下脚本将导致'wee'被发送到控制台。在Node中,它发送{}

var d = 'wee';
console.log(this.d);

我意识到在这种情况下,在节点this中引用了导出对象。我知道global变量,这不是我想要访问的。此外,上面的脚本也没有在全局对象上设置d。它到底在哪里?我可以在上面的脚本中通过console.log(d);显式地访问它,但它似乎被隐藏在一些非标准空间中,完全没有任何理由。

我也意识到删除var会在d对象上声明global,这是预期的行为,尽管让var位于顶层似乎很愚蠢范围将其值存储在与“裸”变量不同的位置。我的意思是,模块系统不应该是某种数字预防措施来防范全球污染吗?在这里打破模式似乎很容易,并且很难做出标准的事情。

d也未在module对象上声明。

我没有必要证明为什么我会问这个问题,但我会回答第一个问题,但是“你为什么要做这个问题”。

var d = {};
d.bleep = 'y';
var a = Object.keys(d);

d.bloop = 'y';
d.blop = 'y';

var b = Object.keys(d);

// c = b - a;
var c = b.filter(function (item) {
    if(a.indexOf(item) === -1) {
        return true;
    }
    return false;
});

console.log(a,b,c);

与我可以区分d的某些对象状态的方式相同,我应该能够区分顶级范围的状态。在浏览器中,这是window对象,在顶级范围内由this引用。我应该能够在脚本执行之前和之后评估环境的属性,以确定很多东西,其中之一是检查在任意脚本的顶部范围内声明的函数和变量,然后它们可以应用于出口对象。这样可以很容易地编写脚本的模块包装器,这些脚本不是作为模块编写的,其中简单forEach应用于顶级函数列表和变量以将whateverThisIs['varFunc']分配给module.exports['varFunc']。 ..

和东西......

此行为似乎与匿名函数的行为类似。在一个匿名函数this中可以引用window对象,var必须直接调用(因为它们在anon func的范围内),并且泄漏的vars声明没有var关键字可能会以window对象结束。我还没有阅读整本手册,也许这正是发生了什么但是,我的印象是每个模块都在它自己的上下文(窗口)中执行,并且Node通过使用{{在模块上下文之间传递消息1}}和global ...

我不知道。我想知道。如果你知道,请告诉我。

1 个答案:

答案 0 :(得分:10)

因此,每个节点模块都被包装为函数体shown here in the node source code

NativeModule.wrapper = [
  '(function (exports, require, module, __filename, __dirname) { ',
  '\n});'
];

因此,如果使用var声明变量,则它对模块是函数本地的,基本上是该模块的私有变量。它不属于globalmodulemodule.exportsthis的属性。如果您忘记var,它会作为属性进入global对象。如果您在this上明确创建了一个属性,该属性将进入exports并可供其他模块使用。

这是一个有希望启发的小程序。

var aDeclaredVar = '*aDeclaredVar*';
undeclaredVar = '*undeclaredVar*';
this.aThisProperty = '*aThisProperty*';
module.aModuleProperty = '*aModuleProperty*';
module.exports.anExportProperty = '*anExportProperty*';

console.log('this', this);
console.log('this === exports', this === exports);
console.log('this === module', this === module);
console.log('this === module.exports', this === module.exports);
console.log('aDeclaredVar', aDeclaredVar);
console.log('undeclaredVar', undeclaredVar);
console.log('this.aThisProperty', this.aThisProperty);
console.log('module.aModuleProperty', module.aModuleProperty);
console.log('module.exports.anExportProperty', module.exports.anExportProperty);
console.log('global.undeclaredVar', global.undeclaredVar);
console.log('global.aDeclaredVar', global.aDeclaredVar);

它的输出:

this { aThisProperty: '*aThisProperty*',
  anExportProperty: '*anExportProperty*' }
this === exports true
this === module false
this === module.exports true
aDeclaredVar *aDeclaredVar*
undeclaredVar *undeclaredVar*
this.aThisProperty *aThisProperty*
module.aModuleProperty *aModuleProperty*
module.exports.anExportProperty *anExportProperty*
global.undeclaredVar *undeclaredVar*
global.aDeclaredVar undefined