免责声明:我是 mongoose/node 的新手,所以如果我对一些基本的东西有误解,请原谅。是的,我已经找到了一些关于这个主题的帖子,但无法适应我的需要。
我将我的主要项目组织成多个单独的项目。一种分离是“app-core”项目,它将包含core-models和-modules,由其他项目注入(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),而是使用猫鼬模型
var Industry = mongoose.model("Industry");
但后来我得到了错误
MissingSchemaError: Schema hasn't been registered for model "Test"
要解决这个问题,我应该手动注册模型,就像第一个链接中建议的那样(在我的帖子顶部)。但不知何故我不喜欢这种方法,因为每次应用程序使用新模型时我都需要扩展它。
此外,即使在核心应用程序中,我也需要一个 mongo 连接 - 至少要运行 mocha 测试。
所以我对在这种情况下如何构建架构有点困惑。
更新#1
我现在找到了一种可行的解决方案。但是,不幸的是,这并不完全符合我的要求,因为通过钩子(即 TestSchema.pre('save'..))扩展模型非常困难(分别是丑陋的)。
模型(应用程序核心)
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(网络应用)
require('./conf/app_models.js').initialize();
然后我就可以得到一个模型如下
var mongoose = require('mongoose');
var TestModel = mongoose.model("Test");
var Test = new TestModel();