我在快速路线上有一个方法,如下所示:
exports.register_post = function(req, res) {
var account = new Account();
account.firstName = req.param('firstName');
//etc...
account.save(function(err, result) {
email.sendOne('welcome', {}, function(err) {
res.render('account/register', {
title: 'Register'
});
});
});
};
我有一个测试,我有email
存根。
email
是路线中的require
模块
它具有如下功能:
exports = module.exports.sendOne = function(templateName, locals, cb)
我的测试看起来像这样:
describe('POST /account/register', function(done) {
var email;
beforeEach(function(done) {
accountToPost = {
firstName: 'Alex',
};
email = require('../../app/helpers/email');
sinon.stub(email)
done();
});
afterEach(function(done) {
email.sendOne.restore();
done();
})
it('creates account', function(done) {
request(app)
.post('/account/register')
.send(this.accountToPost)
.expect(200)
.end(function(err, res) {
should.not.exist(err)
//todo: asserts
done();
});
});
it('sends welcome email', function(done) {
request(app)
.post('/account/register')
.send(this.accountToPost)
.expect(200)
.end(function(err, res) {
should.not.exist(err)
sinon.assert.calledWith(email.sendOne, 'welcome');
done();
});
});
});
当我运行测试时,两者都失败了,引用:
1)Controller.Account POST / account / register创建帐户: 错误:超过2000毫秒的超时 在null。 (/usr/local/lib/node_modules/mocha/lib/runnable.js:165:14) 在Timer.listOnTimeout [as ontimeout](timers.js:110:15)
2)Controller.Account POST / account / register发送欢迎电子邮件: 错误:超过2000毫秒的超时 在null。 (/usr/local/lib/node_modules/mocha/lib/runnable.js:165:14) 在Timer.listOnTimeout [as ontimeout](timers.js:110:15)
如果我在路线中注释掉email.sendOne('welcome', {}, function(err) {
,那么第一个测试(创建帐户)就会通过。
在设置我的sinon存根时,我是否遗漏了什么?
答案 0 :(得分:5)
Sinon存根不会自动触发任何回调函数,您需要手动执行此操作。尽管如此,它实际上是东方的:
describe('POST /account/register', function(done) {
var email;
beforeEach(function(done) {
accountToPost = {
firstName: 'Alex',
};
email = require('../../app/helpers/email');
sinon.stub(email);
email.sendOne.callsArg(2);
done();
});
afterEach(function(done) {
email.sendOne.restore();
done();
})
it('creates account', function(done) {
request(app)
.post('/account/register')
.send(this.accountToPost)
.expect(200)
.end(function(err, res) {
should.not.exist(err)
//todo: asserts
done();
});
});
it('sends welcome email', function(done) {
request(app)
.post('/account/register')
.send(this.accountToPost)
.expect(200)
.end(function(err, res) {
should.not.exist(err)
sinon.assert.calledWith(email.sendOne, 'welcome');
done();
});
});
});
注意具体的一行:
email.sendOne.callsArg(2);
Sinon Stubs API有一些关于callsArg的良好文档,还有callArgWith(这可能对你测试错误场景很有用)