天天看点

exports和module.exports的关系

exprots默认为module.exports的引用,初始关系:exports = module.exports = {}。

(1) 当module.exports被重新赋值后,exports不会主动改变值,依然为{}。( exports由于是引用,他的赋值不会影响module.exports)

-----a.js

console.log(module.exports);  //  {}

console.log(exports);   //  {}

module.exports = {b: 'hello'};

console.log(module.exports);   //  {b: 'hello'}

console.log(exports);   //  {}

(2) 当对module.exports添加属性或改变属性时,exports的值也会随之改变。(在不改变module.exports值的情况下,当exports添加属性或改变属性,module.exports的值也会随之改变)

-----b.js

console.log(module.exports);  //  {}

console.log(exports);   //  {}

module.exports.b = 'hello'

console.log(module.exports);   //  {b: 'hello'}

console.log(exports);   //  {b: 'hello'}

(3) 在引用模块时,获取到的模块值以module.exports的值为准,与exports无关。

-----c.js

console.log(module.exports);  //  {}

console.log(exports);   //  {}

module.exports.b = 'hello';

exports = {b: 'this is exports'}

-----test.js

var c = require('./c')  //  c.js和test.js在同一路径下

console.log(c.b)  //   'hello'

继续阅读