Assignment to exports variable¶
ID: js/node/assignment-to-exports-variable
Kind: problem
Security severity: 
Severity: warning
Precision: very-high
Tags:
   - quality
   - reliability
   - correctness
   - frameworks/node.js
   - external/cwe/cwe-563
Query suites:
   - javascript-security-and-quality.qls
Click to see the query in the CodeQL repository
Node.js modules that only export a single value commonly do so by assigning it directly to the module.exports property. A common mistake is to assign it to the exports variable instead, but this simply overwrites the value of exports without affecting the value of module.exports, and does not lead to anything being exported.
Recommendation¶
Rewrite the assignment to assign to module.exports instead.
Example¶
In the following example, module point.js attempts to export the function Point by assigning it to exports. As explained above, this does not work as expected: after the assignment, the exports variable will contain a reference to Point, but the module.exports property still contains a reference to an empty object. Consequently, the client code in client.js will fail, since it attempts to call an object as a constructor.
// point.js
function Point(x, y) {
	this.x = x;
	this.y = y;
}
Point.prototype.distance = function() {
	return Math.sqrt(this.x*this.x+this.y*this.y);
};
exports = Point;
// client.js
var Point = require('./point');
var pyth = new Point(3, 4);
console.log(pyth.distance());
Instead of assigning to exports, point.js should assign to module.exports:
// point.js
function Point(x, y) {
	this.x = x;
	this.y = y;
}
Point.prototype.distance = function() {
	return Math.sqrt(this.x*this.x+this.y*this.y);
};
module.exports = Point;
// client.js
var Point = require('./point');
var pyth = new Point(3, 4);
console.log(pyth.distance());
References¶
- Node.js Manual: exports alias. 
- Common Weakness Enumeration: CWE-563.