Mocha JS:如何在describe / it测试函数

时间:2015-07-23 11:52:53

标签: javascript asynchronous mocha bdd

我尝试在运行测试套件之前从配置文件动态加载异步设置。 测试套件需要使用配置对象进行测试,并从中创建服务器连接 beforeEach 测试 - 然后关闭服务器连接 afterEach 测试。 我有以下代码大纲,但测试套件(嵌套 describe )在设置(之前)功能完成之前始终称为;这意味着 testConfigs 数组始终为空。 我试图做到的是什么,还是我必须从根本上改变测试?

describe('test server configs', function ()
{

    var testConfigs = [];

    before('get server configurations', function (done) {
        var conf = path.resolve('conf');
        fs.readdir(conf, function (err, files) {
                files.forEach(function (file) {
                    var config = require(path.join(conf, file));
                    testConfigs.push(config);
                });
            }

            console.dir(testConfigs); //prints the non-empty array
            done(err);
        });
    });

    describe('server test suite', function () {

        if (testConfigs.length == 0) {
            it('No server configurations to test!'); //0 tests passed, 1 pending
        }
        else {
            testConfigs.forEach(function (config) { //testConfigs is empty here
                var connection;

                beforeEach('connect to the server', function (done) {
                    connection = ServerConnection(config);
                    done();
                });

                it('should do something with the remote server', function (done) {
                    //test something with the 'connection' object
                    expect(connection.doSomething).withArgs('just a test', done).not.to.throwError();
                });

                afterEach('close connection', function (done) {
                    connection.close(done);
                });

            });
        }
    });

});

结果:

      test server configs
[ [ 'local-config.json',
    { host: 'localhost',
      user: 'username',
      pass: 'password',
      path: '/' } ],
  [ 'foo.com-config.json',
    { host: 'foo.com',
      user: 'foo',
      pass: 'bar',
      path: '/boo/far' } ] ]
    server test suite
      - No server configurations to test!


  0 passing (25ms)
  1 pending

1 个答案:

答案 0 :(得分:1)

您可以在测试运行已经开始时添加新测试。如果要动态生成测试用例,则应在测试开始之前执行此操作。 您可以使用同步方法在测试之前读取配置

var testConfigs = []
var conf = path.resolve('conf');
var files = fs.readdirSync(conf);
files.forEach(function (file) {
    var config = require(path.join(conf, file));
    testConfigs.push(config);
});

describe('server test suite', function () {
   testConfigs.forEach(function (config) {
      //describe your dynamic test cases
   });
});

UPD 26.07.15

如果由于某些原因无法使用同步功能,则可以在设置完成后以编程方式运行mocha。

var Mocha = require('mocha');
var fs = require('fs');
var mocha = new Mocha({});

var testConfigs = global.testConfigs;
fs.readdir(conf, function (err, files) {
    files.forEach(function (file) {
        var config = require(path.join(conf, file));
        testConfigs.push(config);
    });
    mocha.run();
});

你必须通过全局作用域传递testConfigs,因为mocha会同步加载带有测试的模块,并且这个配置必须准备就绪,直到mocha需要你的测试时。