1

我正在尝试rethinkdb通过expresso. 我有功能

module.exports.setup = function() {
  var deferred = Q.defer();
  r.connect({host: dbConfig.host, port: dbConfig.port }, function (err, connection) {
     if (err) return deferred.reject(err);
     else deferred.resolve();
  });
 return deferred.promise;
});

我正在像这样测试它

  module.exports = {
    'setup()': function() {
        console.log("in setup rethink");

        db.setup().then(function(){
            console.log(clc.green("Sucsessfully connected to db!"));
        }).catch(function(err){
            console.log('error');
            assert.isNotNull(err, "error");
        });

    }
  };

我正在运行这样的代码

expresso db.test.js 

error 100% 1 tests但是即使出现错误,expresso 也会显示。我试图放入throw err;catch但没有任何变化。

但是如果我把它放在assert.eql(1, 2, "error");开头,setup()它会按预期失败;

有什么东西可以缓存错误吗?我怎样才能让它失败呢?因为squalize我发现

Sequelize.Promise.onPossiblyUnhandledRejection(function(e, promise) {
    throw e;
});

是否有类似的东西可以重新思考数据库?

4

1 回答 1

3

问题是这个测试是异步的,你把它当作一个同步测试。您需要执行以下操作:

  module.exports = {
    'setup()': function(beforeExit, assert) {
        var success;
        db.setup().then(function(){
            success = true;
        }).catch(function(err){
            success = false;
            assert.isNotNull(err, "error");
        });

        beforeExit(function() {
            assert.isNotNull(undefined, 'Ensure it has waited for the callback');
        });
    }
  };

摩卡vs快递

您应该考虑查看mocha.js,它通过传递函数为异步操作提供了更好的 API done。相同的测试看起来像这样:

  module.exports = {
    'setup()': function(done) {
        db.setup().then(function(){
            assert.ok(true);
        }).catch(function(err){
            assert.isNotNull(err, "error");
        })
        .then(function () {
            done();
        });
    }
  };

承诺

您编写的第一个函数可以通过以下方式重写,因为默认情况下,RethinkDB 驱动程序会在所有操作上返回一个 Promise。

module.exports.setup = function() {
    return r.connect({host: dbConfig.host, port: dbConfig.port });
});
于 2015-06-15T17:23:10.063 回答