我想用 Jest 模拟一个函数,但前提是它是用特定参数调用的,例如:
function sum(x, y) {
return x + y;
}
// mock sum(1, 1) to return 4
sum(1, 1) // returns 4 (mocked)
sum(1, 2) // returns 3 (not mocked)
Ruby 的 RSpec 库中实现了类似的功能:
class Math
def self.sum(x, y)
return x + y
end
end
allow(Math).to receive(:sum).with(1, 1).and_return(4)
Math.sum(1, 1) # returns 4 (mocked)
Math.sum(1, 2) # returns 3 (not mocked)
我在测试中试图实现的是更好的解耦,假设我想测试一个依赖于 sum
的函数:
function sum2(x) {
return sum(x, 2);
}
// I don't want to depend on the sum implementation in my tests,
// so I would like to mock sum(1, 2) to be "anything I want",
// and so be able to test:
expect(sum2(1)).toBe("anything I want");
// If this test passes, I've the guarantee that sum2(x) is returning
// sum(x, 2), but I don't have to know what sum(x, 2) should return
我知道有一种方法可以通过执行以下操作来实现:
sum = jest.fn(function (x, y) {
if (x === 1 && y === 2) {
return "anything I want";
} else {
return sum(x, y);
}
});
expect(sum2(1)).toBe("anything I want");
但如果我们有一些糖功能来简化它,那就太好了。
听起来合理吗?我们在 Jest 中已经有了这个功能吗?
感谢您的反馈意见。
原文由 Nícolas Iensen 发布,翻译遵循 CC BY-SA 4.0 许可协议
我发现我的一位同事最近写的这个库:
jest-when
这是图书馆: https ://github.com/timkindberg/jest-when