在这个页面(http://docs.nodejitsu.com/articles/getting-started/what-is-require)上,它声明“如果你想将exports对象设置为一个函数或一个新对象,你必须使用模块。出口对象。”
我的问题是为什么。
// right
module.exports = function () {
console.log("hello world")
}
// wrong
exports = function () {
console.log("hello world")
}
我的控制台。记录结果(result=require(example.js)),第一个是[Function],第二个是{}。
你能解释一下背后的原因吗?我读了这篇文章:模块。出口vs Node.js中的出口。它是有帮助的,但并没有解释为什么它是这样设计的。如果直接退回出口的参考资料会有问题吗?
Node是这样做的:
module.exports = exports = {}
模块。Exports和Exports引用同一个对象。
这样做只是为了方便。
所以不像这样写
module.exports.PI = 3.14
我们可以写
exports.PI = 3.14
因此,向exports添加属性是可以的,但将其分配给不同的对象是不可以的
exports.add = function(){
.
.
}
这是可以的,和module.exports.add = function(){…}一样
exports = function(){
.
.
}
这是不正确的,并且空对象将作为模块返回。Exports仍然引用{},Exports引用不同的对象。
上面所有的答案都解释得很好,我想补充一些我今天面临的问题。
当你使用exports导出东西时,你必须使用variable。就像,
File1.js
exports.a = 5;
在另一个文件中
File2.js
const A = require("./File1.js");
console.log(A.a);
使用module.exports
File1.js
module.exports.a = 5;
在File2.js
const A = require("./File1.js");
console.log(A.a);
默认module.exports
File1.js
module.exports = 5;
在File2.js
const A = require("./File2.js");
console.log(A);