2

我用 mocha、chai 和 supertest 编写了一个简单的单元测试。

describe('controller.CWEManagementAPI', function () {
it('should be able to say hello', function() { 
    var request = require('supertest')
    , express = require('express');

    var app = express();

    app.get('/user', function(req, res){
        res.send(201, { name: 'tobi' });
    });

    request(app)
    .get('/user')
    .set('Accept', 'application/json')
    .expect(200)
    .end(function(err, res){
        if (err) return done(err);
        console.log('test');
        assert.equal( res.body.name, 'tobi');
        done()
    });
});
});

但问题是:console.log('test')没有执行。所以我认为assert.equal( res.body.name, 'tobi');也没有执行。所以我在没有单元测试的情况下编写代码,比如:

var request = require('supertest')
, express = require('express');

var app = express();

app.get('/user', function(req, res){
res.send(201, { name: 'tobi' });
});

request(app)
   .get('/user')
   .expect('Content-Type', /json/)
   .expect('Content-Length', '20')
   .expect(201)
   .end(function(err, res){ 
    if (err) throw err;
    console.log(res.body.name);
    console.log('done');
    process.exit();
   });

并且console.log() 都被执行了。所以我不知道为什么第一个代码不能显示日志信息。

4

1 回答 1

9

您尝试运行的是使用 mocha 进行的异步测试。因此,测试用例应该收到一个回调参数,以便在其操作完成后调用。

您在最后调用 done() 但尚未将其作为参数接收。

改变

it('should be able to say hello', function() {
}

it('should be able to say hello', function(done) {
}
于 2013-01-15T09:05:59.513 回答