考虑两个类A,B如下所示:
class A {
private b: B;
public constructor(b: B){
this.b=b;
}
public doSomething(){
this.b.myMethod();
}
}
class B {
public myMethod(){...}
public someOtherMethod(){...}
}
Run Code Online (Sandbox Code Playgroud)
我想A在模拟的行为的同时测试类B.myMethod()
目前我们这样做:
const bMock: Partial<B> = {
myMethod: jest.fn(<some mock here>),
}
const sut = new A(bMock as any);
sut.doSomething();
expect(bMock.myMethod).toBeCalled();
Run Code Online (Sandbox Code Playgroud)
我们想要实现的是类似的结果,但不必通过模拟as any,也不必自己模拟所有方法。检查模拟类型对我们来说非常重要,否则我们将无法通过此测试捕获模拟依赖项中的重大更改。
我们也已经进行了研究sinon,但在某些情况下,我们不希望调用模拟依赖项的构造函数,因此在创建后对对象进行存根不是一种选择。对整个类进行存根会导致如上所述的类似问题。
编辑:现在我们使用jest-mock-extend来获得更好的笑话兼容性和更多功能
我通过使用Substitute找到了一个很好的解决方案。
唯一的问题是缺少对空/未定义的检查,如自述文件中所述。不过还是比使用好as any。
import Substitute, { SubstituteOf } from '@fluffy-spoon/substitute';
class A {
private b: B;
public constructor(b: B) {
this.b = b;
}
public doSomething() {
return this.b.myMethod();
}
}
class B {
public myMethod() {
return 'realMethod';
}
public someOtherMethod() {
return 'realSomeOtherMethod';
}
}
let bMock: SubstituteOf<B>;
beforeEach(() => {
bMock = Substitute.for<B>();
});
test('empty mock', () => {
const sut = new A(bMock);
console.log(sut.doSomething()); // Output: '[Function]'
});
test('mock myMethod', () => {
bMock.myMethod().returns('You got mocked!');
const sut = new A(bMock);
console.log(sut.doSomething()); // Output: 'You got mocked!'
});
test('does not compile', () => {
bMock.myMethod().returns(1337); // Will show compilation error due to incompatible type (string vs. number)
const sut = new A(bMock);
console.log(sut.doSomething());
});
test('missing null checks', () => {
bMock.myMethod().returns(); // Will not complain
const sut = new A(bMock);
console.log(sut.doSomething()); // Output 'undefined'
});
Run Code Online (Sandbox Code Playgroud)
| 归档时间: |
|
| 查看次数: |
2725 次 |
| 最近记录: |