我想在 node.js 的响应和请求中添加新方法。
我怎样才能更有效地做到这一点?
我无法理解这是如何在 express.js 中完成的
最佳答案
作为 JavaScript,有很多方法可以做到这一点。我认为对于 express 最合理的模式是将函数添加到早期中间件中的每个请求实例:
//just an example
function getBrowser() {
return this.get('User-Agent');
}
app.use(function (req, res, next) {
req.getBrowser = getBrowser;
next();
});
app.get('/', function (req, res) {
//you can call req.getBrowser() here
});
在 express.js 中,这是通过向 http.IncomingMessage 的原型(prototype)添加附加函数来完成的。
https://github.com/visionmedia/express/blob/5638a4fc624510ad0be27ca2c2a02fcf89c1d334/lib/request.js#L18
这有时被称为“猴子补丁”或“自由补丁”。对于这究竟是美妙还是可怕,众说纷纭。我上面的方法更谨慎,不太可能对 node.js 进程中运行的其他代码造成有意干扰。要添加您自己的:
var http = require('http');
http.IncomingMessage.prototype.getBrowser = getBrowser; //your custom method
关于javascript - 如何在响应和请求中添加新方法,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/18816685/