声明: 我是mongoose / node的新手,所以如果我误解了一些基本的东西,请原谅。 是的,我发现a few postings已经this topic,但无法根据我的需要进行调整。
我将主项目组织成多个独立的项目。一个分离是“app-core”项目,它将包含核心模型和模块,由彼此项目注入(app-core在每个项目的package.json文件中配置为依赖项)。
app-core中的(简化)模型目前看起来像这样:
var mongoose = require('mongoose');
var Schema = mongoose.Schema;
var IndustrySchema = new Schema({
name: {
type: String,
required: true
}
});
module.exports = mongoose.model('Industry', IndustrySchema);
wep-app包括以下模型:
var Industry = require('app-core/models/Industry');
并创建如下的MongoDB连接:
var DB_URL = 'mongodb://localhost/hellowins';
var mongoose = require('mongoose');
var mongooseClient = mongoose.connect(DB_URL);
mongooseClient.connection.on('connected',function () {
console.log("MongoDB is connected");
});
现在我遇到了问题,模型不会使用app-web项目中定义的mongo连接,而是会考虑在app-core中配置的连接。
由于封装和责任设计,我绝对不希望核心为每个可能的应用程序(可能包括核心应用程序)定义连接。 所以我需要在核心中指定方案。
我已经读过我不应该要求模型本身(/ app-core / models / Industry),而是使用mongoose模型
var Industry = mongoose.model("Industry");
但后来我收到了错误
MissingSchemaError: Schema hasn't been registered for model "Test"
要解决这个问题,我应该手动注册模型,就像在第一个链接中提到的那样(在我的帖子顶部)。但不知怎的,我不喜欢这种方法,因为每次应用程序使用新模型时我都需要扩展它。
此外,即使在核心应用程序中我也需要mongo连接 - 至少要运行mocha测试。
所以我对如何在这种情况下构建架构感到困惑。
更新#1
我现在找到了一个有效的解决方案。但是,遗憾的是,这并不完全符合我的要求,因为通过钩子扩展模型非常困难(相当丑陋)(即TestSchema.pre('save'..))。
模型(app-core)
exports.model = {
name: {
type: String,
required: true
}
};
models.js(app-web,在启动时执行一次)
var mongoose = require('mongoose');
var Schema = mongoose.Schema;
var models = ['Test']; // add many
exports.initialize = function() {
var l = models.length;
for (var i = 0; i < l; i++) {
var model = require('hw-core/models/' + models[i]);
var ModelSchema = new Schema(model.model);
module.exports = mongoose.model(models[i], ModelSchema);
}
};
app.js(web-app)
require('./conf/app_models.js').initialize();
然后我就可以得到一个模型如下
var mongoose = require('mongoose');
var TestModel = mongoose.model("Test");
var Test = new TestModel();
答案 0 :(得分:0)
为什么不尝试从app-core模块导出mongoose实例,稍后在web-app中使用它来连接数据库
app-core index.js
var mongoose = require('mongoose');
module.exports = {
mongooseInstance: mongoose };
web-app index.js
var core = require('app-core'),
mongoose = core.mongooseInstance,
mongooseClient = mongoose.connect(DB_URL);
// and so on
只要您需要在index.js中的代码之后初始化的控制器中的模型,这可能会起作用。我希望我的回答很有帮助。