1

我找到了一种方法,但我的直觉告诉我应该有一些更惯用的方法。基本上我不喜欢的是我必须在测试套件中要求 express 应用程序,这让我想知道是否存在竞争条件。另外,我想知道如果我在这样的几个文件中运行多个测试套件会发生什么。

有人知道更清洁的解决方案吗?

我的简化应用程序如下:

应用程序.js

app = module.exports = express()
...
http.createServer(app).listen(app.get('port'), function(){
     console.log('app listening');
});

测试.js

var request = require('superagent');
var assert = require('assert');
var app = require('../app');
var port = app.get('port');
var rootUrl = 'localhost:'+port;

    describe('API tests', function(){
        describe('/ (root url)', function(){

            it('should return a 200 statuscode', function(done){
                request.get(rootUrl).end(function(res){
                    assert.equal(200, res.status);
                    done();
                });
            });
    ...
4

2 回答 2

2

mocha 让您使用root Suite为任意数量的测试启动一次服务器:

You may also pick any file and add "root" level hooks, for example add beforeEach() outside of describe()s then the callback will run before any test-case regardless of the file its in. This is because Mocha has a root Suite with no name.

我们使用它来启动 Express 服务器一次(并且我们使用环境变量,以便它在与我们的开发服务器不同的端口上运行):

before(function () {
  process.env.NODE_ENV = 'test';
  require('../../app.js');
});

(我们done()这里不需要,因为 require 是同步的。)这样,服务器只启动一次,不管有多少不同的测试文件包含这个根级before函数。

然后我们还使用以下内容,以便我们可以让开发人员的服务器与 nodemon 一起运行并同时运行测试:

  if (process.env.NODE_ENV === 'test') {
    port = process.env.PORT || 3500; // Used by Heroku and http on localhost
    process.env.PORT = process.env.PORT || 4500; // Used by https on localhost
  }
  else {
    port = process.env.PORT || 3000; // Used by Heroku and http on localhost
    process.env.PORT = process.env.PORT || 4000; // Used by https on localhost
  }
于 2013-10-08T09:50:34.033 回答
1

我使用了一个名为 supertest github.com/visionmedia/supertest的模块,它对此非常有效。

于 2013-10-15T06:07:55.843 回答