出于某种原因,我似乎无法在我的真实测试套件中使用vows.js子主题,但它们在示例文件中工作正常...你能发现我的问题吗?
这有效:
vows.describe('An Education in Vows').addBatch({
'when I write an asynchronous topic': {
topic: function() {
var that = this;
setTimeout(function() {
that.callback(true);
}, 100);
},
'it passes': function (topic) {
assert.equal(topic, true);
},
'and it has an asynchronous sub-topic': {
topic: function() {
var that = this;
setTimeout(function() {
that.callback(true);
}, 100);
},
'it also passes': function (topic) {
assert.equal(topic, true);
}
}
}
}).run();
当我通过以下方式运行时:
node tests/learning-vows.js
我明白了:
·
·
✓ OK » 2 honored (0.207s)
这不起作用:
我有一个文件./tests/smoke.js
vows.describe('Registration & Authentication').addBatch({
'when a user registers with a valid username and password': {
topic: function () {
client.register({
username: validusername,
password: validpassword
}, this.callback);
},
'we return status 200 OK': function (data, response) {
assert.equal(200, response.statusCode);
},
'simple sub-topic': {
topic: true,
'should work': function(topic) {
assert.equal(true, topic);
}
},
}
}).run()
当我通过以下方式执行此操作时:
node tests/smoke.js
我明白了:
·
✗ Errored » 1 honored ∙ 1 errored
请注意,在第二个示例中,没有我得到的子主题:
·
✓ OK » 1 honored (0.100s)
答案 0 :(得分:0)
Vows使用节点的约定进行回调(参见:http://nodemanual.org/latest/nodejs_dev_guide/working_with_callbacks.html),它假设回调的第一个参数是一个错误对象。
因此,当您发送data
作为第一个参数时,您的誓言会发现client.register
中发生了错误。它可以防止誓言评估子主题。子主题被标记为错误,但断言成功,当前主题被标记为荣誉。
从输出中猜测它真的不是一件容易的事。此外,誓言行为不一致,尝试在第一次测试中将true
替换为0
,然后将'0'
替换为回调参数,您将看到另外两个结果。
这是一个有效的例子:
var vows = require('vows'), assert = require('assert');
var client = {
register: function(obj,callback){
callback(null, obj, {statusCode:200});
}
};
vows.describe('Registration & Authentication').addBatch({
'when a user registers with a valid username and password': {
topic: function () {
client.register({
username: 'validusername',
password: 'validpassword'
}, this.callback);
},
'we return status 200 OK': function (err, data, response) {
assert.equal(response.statusCode, 200);
},
'simple sub-topic': {
topic: true,
'should work': function(topic) {
assert.equal(true, topic);
}
}
}
}).export(module)