如何在启动Mocha测试用例之前添加延迟?

时间:2015-02-15 11:28:33

标签: javascript node.js mongodb unit-testing mocha

我正在使用Mocha为我的简单Node.js应用程序编写单元测试。该应用程序有一个类,它连接到Mongo数据库,获取记录,并将制定的记录存储为字段。简单来说,这个课程看起来像这样:

SampleClass.prototype.record = []; // Store the loaded record
SampleClass.prototype.init = function(db){
    var self = this;
    self.db = mongoose.connection; // Say we already have mongoose object initialized
    self.db.once('open',function(){
        /* schema & model definitions go here */
        var DataModel = mongoose.model( /* foobar */);
        DataModel.findOne(function(err,record){
           /* error handling goes here */ 

           self.record = record; // Here we fetch & store the data
        });
    });
}

从上面的代码片段可以看出,一旦调用 SampleClass.init() Sample.record 就不会立即从数据库中填充。一旦触发事件'open',数据就会异步填充。因此,在 SampleClass.init()之后可能会有延迟,直到填充 Sample.record

当我写这样的Mocha测试时会出现并发症:

var testSampleClass = new SampleClass();

describe('SampleClass init test',function(){
    testSampleClass.init('mydb');
    it('should have 1 record read from mydb',function(){
        assert.equal(testSampleClass.record.length,1);
    });
});

上面的断言将始终失败,因为 testSampleClass.record 不会在 init 之后立即填充。加载数据需要一段时间。

我怎样才能延迟测试用例,以便在调用 testSampleClass.init 后启动几秒或更长时间?在我的课程被触发后,是否也可以立即触发测试用例?否则,这个简单的情况总会失败,我知道这根本不正确。

2 个答案:

答案 0 :(得分:9)

使用before()beforeEach个钩子(请参阅herehere)。它们将done回调作为参数,您必须在完成某些异步人员时调用它。所以你的测试看起来应该是:

describe('SampleClass init test',function(){
    before(function(done) {
        testSampleClass.init('mydb', done);
    });
    it('should have 1 record read from mydb',function(){
        assert.equal(testSampleClass.record.length,1);
    });
});

你的init方法:

SampleClass.prototype.record = []; // Store the loaded record
SampleClass.prototype.init = function(db, callback){
    var self = this;
    self.db = mongoose.connection; // Say we already have mongoose object initialized
    self.db.once('open',function(){
        /* schema & model definitions go here */
        var DataModel = mongoose.model( /* foobar */);
        DataModel.findOne(function(err,record){
            /* error handling goes here */

            self.record = record; // Here we fetch & store the data
            callback();
        });
    });
}

答案 1 :(得分:8)

@alexpods提出了一个很好的建议。将以下内容添加到测试集合中,以便每个测试步骤在运行前等待500毫秒。

  beforeEach(function (done) {
    setTimeout(function(){
      done();
    }, 500);
  });