如何跨各种NodeJS模块共享数据库连接?我发现的例子都有一个整体结构,整个代码都在一个app.js文件中。
/* main.js */
var foo = require("./foo");
/* express stuff ...*/
mysql = /* establish mysql connection */
app.get("/foo", foo.hello );
/* foo.js */
exports.hello = function(req, res) {
res.send("Hello from the foo module!");
}
如何从我的模块“foo”访问“mysql”?推荐的设计模式是什么?
答案 0 :(得分:3)
您可以使用模块模式轻松地将db对象(以及其他任何内容)传递给需要它的模块。
// users.js
module.exports = function( options ) {
var db = options.db;
var pants = options.pants; // or whatever
return {
GetUser: function( userID, callback ) {
db.query("....", function (err, results) {
callback(results)
});
},
AnotherFunc: function (...) {},
AndAnotherFunc: function (...) {}
};
};
您可以使用此模块:
// make your db connection here
var users = require('./users.js')({
db: db,
pants: 'blue'
});
users.GetUser( 32, function( user ) {
console.log("I got the user!");
console.log( user );
});
我发现这是编写模块的好方法,因为它很像制作一个真正的Class对象,就像在C ++中一样。您甚至可以模拟“私人”方法/参数。
答案 1 :(得分:0)
我通常将mysql句柄放在不同的文件(模块)中,并要求模块使用不同的路径。
我相信你也必须异步连接到mysql,你可以参考this question,它使用回调函数来解决问题。