绕过模块模拟

Jest允许您在测试用例中模拟整个模块。这对于您测试你的代码是否正常调用某个模块的函数是很有用的。 然而,您有时可能想要在您的 测试文件中只使用部分模拟的模块, 在这种情况下,你想要访问原生的实现,而不是模拟的版本。

考虑为这个 createUser函数编写一个测试用例:

createUser.js

  1. import fetch from 'node-fetch';
  2. export const createUser = async () => {
  3. const response = await fetch('http://website.com/users', {method: 'POST'});
  4. const userId = await response.text();
  5. return userId;
  6. };

您的测试将要模拟 fetch 函数,这样我们就可以确保它在没有实发出际网络请求的情况下被调用。 但是,您还需要使用一个Response(包装在 Promise中) 来模拟fetch的返回值,因为我们的函数使用它来获取已经创建用户的ID。 因此,您最初可以尝试编写这样的测试用例:

  1. jest.mock('node-fetch');
  2. import fetch, {Response} from 'node-fetch';
  3. import {createUser} from './createUser';
  4. test('createUser calls fetch with the right args and returns the user id', async () => {
  5. fetch.mockReturnValue(Promise.resolve(new Response('4')));
  6. const userId = await createUser();
  7. expect(fetch).toHaveBeenCalledTimes(1);
  8. expect(fetch).toHaveBeenCalledWith('http://website.com/users', {
  9. method: 'POST',
  10. });
  11. expect(userId).toBe('4');
  12. });

但是,如果运行该测试,您将发现createUser函数将失败,并抛出错误: TypeError: response.text is not a function。 这是因为您从 node-fetch导入的 Response 类已经被模拟了(由测试文件顶部的jest.mock调用) ,所以它不再具备原有的行为。

为了解决这样的问题,Jest 提供了 jest.requireActual 辅助器。 要使上述测试用例工作,请对测试文件中导入的内容做如下更改:

  1. // BEFORE
  2. jest.mock('node-fetch');
  3. import fetch, {Response} from 'node-fetch';
  1. // AFTER
  2. jest.mock('node-fetch');
  3. import fetch from 'node-fetch';
  4. const {Response} = jest.requireActual('node-fetch');

这允许您的测试文件从node-fetch导入真实的 Response 对象,而不是一个模拟的版本。 意味着测试用例现在将正确通过。