Mongoose umožňuje „oddělit“ definice schémat. Jak pro obecné „re-use“, tak pro přehlednost kódu. Takže lepší způsob, jak to udělat, je:
// general imports
var mongoose = require('mongoose'),
Schema = mongoose.Schema;
// schema for params
var paramSchema = new Schema({
"name": { "type": String, "default": "something" },
"value": { "type": String, "default": "something" }
});
// schema for features
var featureSchema = new Schema({
"name": { "type": String, "default": "something" }
"params": [paramSchema]
});
var appSchema = new Schema({
"appFeatures": [featureSchema]
});
// Export something - or whatever you like
module.export.App = mongoose.model( "App", appSchema );
Je to tedy „čisté“ a „znovu použitelné“, pokud jste ochotni začlenit definice „Schéma“ do jednotlivých modulů a použít systém „vyžadovat“ k importu podle potřeby. Pokud nechcete vše "modulovat", můžete dokonce "introspectovat" definice schémat z "modelových" objektů.
Většinou vám však umožňuje jasně specifikovat „co chcete“ pro výchozí hodnoty.
Pro složitější výchozí nastavení to pravděpodobně budete chtít provést v háku „před uložením“. Jako úplnější příklad:
var async = require('async'),
mongoose = require('mongoose'),
Schema = mongoose.Schema;
var paramSchema = new Schema({
"name": { "type": String, "default": "something" },
"value": { "type": String, "default": "something" }
});
var featureSchema = new Schema({
"name": { "type": String, "default": "something" },
"params": [paramSchema]
});
var appSchema = new Schema({
"appFeatures": [featureSchema]
});
appSchema.pre("save",function(next) {
if ( !this.appFeatures || this.appFeatures.length == 0 ) {
this.appFeatures = [];
this.appFeatures.push({
"name": "something",
"params": []
})
}
this.appFeatures.forEach(function(feature) {
if ( !feature.params || feature.params.length == 0 ) {
feature.params = [];
feature.params.push(
{ "name": "a", "value": "A" },
{ "name": "b", "value": "B" }
);
}
});
next();
});
var App = mongoose.model( 'App', appSchema );
mongoose.connect('mongodb://localhost/test');
async.series(
[
function(callback) {
App.remove({},function(err,res) {
if (err) throw err;
callback(err,res);
});
},
function(callback) {
var app = new App();
app.save(function(err,doc) {
if (err) throw err;
console.log(
JSON.stringify( doc, undefined, 4 )
);
callback()
});
},
function(callback) {
App.find({},function(err,docs) {
if (err) throw err;
console.log(
JSON.stringify( docs, undefined, 4 )
);
callback();
});
}
],
function(err) {
if (err) throw err;
console.log("done");
mongoose.disconnect();
}
);
Mohli byste to vyčistit a prohlédnout cestu schématu, abyste získali výchozí hodnoty na jiných úrovních. Ale v podstatě chcete říci, že pokud toto vnitřní pole není definováno, vyplníte výchozí hodnoty tak, jak jsou zakódovány.