作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
所以基本上我有我想测试的函数,我们将调用函数 A。我想测试函数 B 是否在函数 A 内部被调用。问题是函数 B 是通过已解析的 Promise 在函数 A 中异步调用的.这将导致 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
}
最佳答案
您的示例有点不合常规。您有 functionToBeTested,它具有双重行为(同时同步和异步)。当您测试此方法时,行为应该是众所周知的并事先标准化,以便您可以相应地构建测试和断言。
此场景中的问题是您尝试验证函数的行为是同步模式,尽管内部部分以即发即弃方式工作 - 即不依赖于instance.someFunction() 方法的结果。
如果 functionToBeTested() 返回一个 promise - 因此在设计上是异步的,这对于您的测试场景来说将是直截了当的。但在这种情况下,您还需要一种非常规的测试方法。这意味着如果您执行以下操作:
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。此外,我们添加了一个计时器来模拟在检查 spy 是否被调用之前的延迟。
由于“即发即弃”调用仅打印出一条消息,因此等待 10 毫秒就足够了。如果 promise 需要更长的时间才能完成,则应调整等待时间。
如前所述,非常规实现需要非常规方法。我建议您重新考虑您的要求并重新设计解决方案。
关于javascript - 如果异步调用,如何在测试函数B内部测试函数A是否被调用,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/43742358/
我是一名优秀的程序员,十分优秀!