As MongoDB database access and initialization is asynchronous on Node.js, I would like to define one module per collection that exports wrapped db calls after db initialization.
Such a "Cars.model.js" module looks like that:
var db = require("mongodb");
db.collection("cars", function(err, col) {
exports.getCars = function(callback) {
col.find({}, callback);
};
});
so that other modules can run:
var carModel = require("Cars.model.js").getCars;
getCars(err, cars) {
// (do something with cars here...)
};
It happened to me that getCars
was undefined, because db access was not yet initialized at the time my second module was run.
How do you deal with creating such asynchronous db models?
You cannot write to
exports
after you've left the file. You must be blocking. To avoid being blocking I would use lazy loading of resources.Use event emitters to emulate lazy loading. You may want to generalize to a
LazyLoadedCollection
class/object to make the code neater / more DRY.I'm a newbe so don't be mad at me...
I'm using promises to do so:
So you can get your cars like that:
It this is a bad idea, please let me know because it's what i'm doing right now.
I believe this simple solution works: replace the asynchronous call to
getCars()
by a synchronous call to a collection cache that would be populated before models can be called.The main.js application starter module:
Thus "Cars.model.js" would look like that:
This solution moves the asynchronous problem from models to the root database model, making models simpler to develop.