我正在为项目编写一个单元测试,数据库模块是独立的(它建立了与数据库的连接并具有批量插入方法)。单元测试文件中的代码如下:
var database = require('./db.js'); //once the database is connected there is a log saying connected to the database
var Data = database.model; //module export for the model
before(function(){
console.log("We are in the before hook");
for(var i = 1; i <= 10; i++){
var startDate = new Date(2016,1,1,0,0,0,0);
var endDate = new Date(2016,1,1,1,0,0,0);
var data = test_data.genIncreasing('Watch_'+i , startDate.getTime(), endDate.getTime() , 2000, 9); //will get around 3600 points
console.log('Inserting ' + data.length + ' datapoints into database');
database.bulkInsert(data, function(err, data){
if(err){
Should.fail('Could not insert data into data base');
}else{
console.log('Inserted Watch_' + i + ' data into database');
}
});
}
});
现在在我的控制台中我希望看到
Mongoose默认连接打开到DB-URI
接着是
我们在前钩
将1800个数据点插入数据库
将1800个数据点插入数据库[10次]
但是我得到了
我们在前钩
将1800个数据点插入数据库
将1800个数据点插入数据库[10次]
其次是
Mongoose默认连接打开到:DB_URI
我做了一些搜索,发现需要假设是同步的,mocha单元测试也是如此。我在这里错过了什么?你能告诉我发生了什么吗?
答案 0 :(得分:1)
可能是db.js中的连接很懒? - Petr Mar 28 at 21:56
懒惰他意味着如果你的db.js文件中有这样的东西:
mongoose.connect('mongodb://localhost/stack');
这不是同步的,只是一个挂起的连接。您可以获取连接并监听开放事件:
var db = mongoose.connection;
db.on('error', console.error.bind(console, 'connection error:'));
db.once('open', function() {
// we're connected!
});
在此事件触发之前,连接尚未就绪。
另一方面,mocha可以处理同步和异步代码。但是由于你有一个回调,你的代码是异步的,所以你必须添加完成回调。
describe('User', function() {
describe('#save()', function() {
it('should save without error', function(done) {
var user = new User('Luna');
user.save(function(err) {
if (err) throw err;
done();
});
});
});
});
在这种情况下,完成的回调在it部分,但它对所有钩子都是一样的。