我正在开发一个 node.js 应用程序,我需要连接到多个数据库。其中一个数据库是中央数据库,其中包含所有人共有的信息。然后是国家级数据库,根据国家/地区存储数据。
我在应用程序中使用 sequelize ORM。
数据库是postgresql。
框架很明确。
问题是我想根据要使用哪个数据库的请求来决定运行时,模型应该自动连接到适当的数据库。我已经看到了这个问题,但没有发现它有帮助。
我还检查了另一个论坛,但没有找到任何东西。
我正在开发一个 node.js 应用程序,我需要连接到多个数据库。其中一个数据库是中央数据库,其中包含所有人共有的信息。然后是国家级数据库,根据国家/地区存储数据。
我在应用程序中使用 sequelize ORM。
数据库是postgresql。
框架很明确。
问题是我想根据要使用哪个数据库的请求来决定运行时,模型应该自动连接到适当的数据库。我已经看到了这个问题,但没有发现它有帮助。
我还检查了另一个论坛,但没有找到任何东西。
您需要创建与每个数据库对应的对象,并且您需要在每个此对象上实例化 Sequelize。此外,对于每个 sequelize 实例,您需要导入模型(假设所有这些数据库都具有完全相同的表和模型表示)。
import Sequelize from 'sequelize';
let connectionsArray = [
'postgres://user:pass@example.com:5432/country1',
'postgres://user:pass@example.com:5432/country2',
'postgres://user:pass@example.com:5432/country3',
];
let country1DB, country2DB, country3DB;
country1DB = country2DB = country3DB = {};
country1DB.Sequelize = country2DB.Sequelize = country3DB.Sequelize = Sequelize;
country1DB.sequelize = new Sequelize(connectionsArray[0]);
country2DB.sequelize = new Sequelize(connectionsArray[1]);
country3DB.sequelize = new Sequelize(connectionsArray[2]);
// here you need to access the models path, maybe with fs module
// iterate over every model and import it into every country sequelize instance
// let's assume that models' paths are in simple array
models.forEach(modelFile => {
let model1DB = country1DB.sequelize.import(modelFile);
let model2DB = country2DB.sequelize.import(modelFile);
let model3DB = country3DB.sequelize.import(modelFile);
country1DB[model1DB.name] = model1DB;
country2DB[model2DB.name] = model2DB;
country3DB[model3DB.name] = model3DB;
});
// now every country?DB object has it's own sequelize instance and all model definitions inside
export {
country1DB,
country2DB,
country3DB
};
这只是一些示例代码,它需要重构才能有用(引入一些循环等)。它应该只是向您展示如何在单个应用程序中使用多个数据库的想法。如果您想在country1
某处使用例如数据库,您只需执行
import { country1DB } from './databases';
country1DB.User.findAll({...});
上面的代码将SELECT * FROM users
在先前指定的country1
数据库中执行。示例express
路线如下所示:
import * as databases from './databases';
app.get('/:dbIndex/users', (req, res) => {
databases['country' + req.params.dbIndex + 'DB'].User.find().then(user => {
res.json(user.toJSON());
});
});
或者,更好的是,您可以编写一些middleware
在每个请求之前运行的函数,该函数负责为进一步的操作选择合适的数据库。