所以基本上我有我想要测试的函数我们将调用函数A.我想测试函数B是否在函数A中调用。问题是函数B是在函数A中通过解析的Promise异步调用的。这将导致sinon断言失败,因为测试将在调用函数B之前完成!
这是一个工作代码方案。
const sinon = require('sinon');
describe('functionToBeTested', () => {
it('someFunction is called', () => {
// spy on the function we need to check if called
const spy = sinon.spy(someClass.prototype, 'someFunction');
// call the function being tested
functionToBeTested();
// check if spy was called
sinon.assert.called(spy);
});
});
class someClass {
someFunction() {
console.log('Hello');
}
}
const somePromise = Promise.resolve();
function functionToBeTested() {
const instance = new someClass();
// some synchronous code here
// if instance.someFunction() is called here the test will pass
// .
// .
// .
somePromise.then(() => {
instance.someFunction();
// the function is called and Hello is printed but the test will fail
})
// .
// .
// .
// some synchronous code here
// if instance.someFunction() is called here the test will pass
}
答案 0 :(得分:2)
你的例子有点不同寻常。您有 functionToBeTested ,它具有双重行为(同时同步和异步)。当您对此方法进行测试时,该行为应该是众所周知的并且事先标准化,以便您可以相应地构建测试和断言。
此场景中的问题是您尝试验证函数的行为是同步模式,尽管内部部件以 fire-and-forget 方式工作 - 即不依赖于 instance.someFunction()方法的结果。
如果 functionToBeTested()返回了一个承诺 - 因此设计异步,这对您的测试场景来说非常简单。但在这种情况下,您还需要一种非常规的测试方法。这意味着,如果您执行以下操作:
describe('functionToBeTested', () => {
it('someFunction is called', (done) => {
// spy on the function we need to check if called
const spy = sinon.spy(SomeClass.prototype, 'someFunction');
// call the function being tested
functionToBeTested();
setTimeout(() => {
// check if spy was called
sinon.assert.called(spy);
done();
}, 10);
});
});
测试将通过。这里发生的是我们通过在回调中使用 done 参数来声明测试 async 。此外,我们在检查间谍是否被调用之前添加了一个模拟延迟的计时器。
因为' 即发即忘'呼叫只打印出一条消息,等待10ms就足够了。如果承诺需要更长时间才能完成,则应调整等待时间。
如前所述,非常规实施需要非常规方法。我建议您重新考虑您的要求并重新设计解决方案。