如何使用Jest在React Native项目中使用__mocks__ [英] How to use __mocks__ in a React Native project with Jest

查看:76
本文介绍了如何使用Jest在React Native项目中使用__mocks__的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

我正在构建一个React Native应用程序,并且正在使用Jest编写单元测试.

I'm building a React Native app and I'm writing my unit tests using Jest.

(如您从该问题,)我正在编写一个检查是否存在网络连接的函数.

(As you can see from this question,) I'm writing a function that checks if there is a network connection.

这是函数(checkNetwork.ts):

import { NetInfo } from "react-native";
import { NO_NETWORK_CONNECTION } from "../../../../config/constants/errors";

const checkNetwork = (): Promise<boolean | string> =>
  new Promise((resolve, reject) => {
    NetInfo.isConnected
      .fetch()
      .then(isConnected => (isConnected ? resolve(true) : reject(NO_NETWORK_CONNECTION)))
      .catch(() => reject(NO_NETWORK_CONNECTION));
  });

export default checkNetwork;

现在,我想在测试另一个进行API调用的功能时模拟此功能.

Now I want to mock this function when testing another function that makes API calls.

我在checkNetwork/内的checkNetwork.ts旁边创建了一个名为__mocks__的文件夹(请参见下面的文件夹结构).在其中,我还创建了另一个名为checkNetwork.ts的文件,其中包含模拟内容,如下所示:

I created a folder called __mocks__ adjacent to checkNetwork.ts inside checkNetwork/ (see folder structure below). In it I created another file called checkNetwork.ts, too, which contains the mock and looks like this:

const checkNetwork = () => new Promise(resolve => resolve(true));

export default checkNetwork;

使用此函数的函数会发出一个简单的提取请求(postRequests.ts):

The function that uses this function makes a simple fetch request (postRequests.ts):

import checkNetwork from "../../core/checkNetwork/checkNetwork";

export const postRequestWithoutHeader = (fullUrlRoute: string, body: object) =>
  checkNetwork().then(() =>
    fetch(fullUrlRoute, {
      method: "POST",
      body: JSON.stringify(body),
      headers: { "Content-Type": "application/json" }
    }).then(response =>
      response.json().then(json => {
        if (!response.ok) {
          return Promise.reject(json);
        }
        return json;
      })
    )
  );

文件夹结构如下:

myreactnativeproject
  ├── app/
  │   ├── services/
  │   │   ├── utils/
  │   │   │    └── core/
  │   │   │        └── checkNetwork/
  │   │   │              └── checkNetwork.ts
  │   │   ├── serverRequests/
  │   │   │    └── POST/
  │   │   │        └── postRequests.ts
  │   .   .
  │   .   .
  │   .   .
  .
  .
  .

然后我在POST/中创建了另一个名为postRequests.test.ts的文件,以编写postRequests.test.ts的单元测试.我现在希望Jest自动使用返回true的模拟.但是实际发生的情况是测试未能返回NO_NETWORK_CONNECTION.如何获得Jest使用该模拟游戏?

I then created another file called postRequests.test.ts within POST/ to write unit tests for postRequests.test.ts. I would now expect for Jest to automatically use the mock which returns true. But what is actually happening is that the test fails returning NO_NETWORK_CONNECTION. How can I get Jest to use the mock?

推荐答案

这里是解决方案,文件夹结构无关紧要,为简单起见,如下所示的文件夹结构:

Here is the solution, folder structure doesn't matter, for keeping it simple, the folder structure like this:

.
├── __mocks__
│   └── checkNetwork.ts
├── checkNetwork.ts
├── errors.ts
├── postRequests.test.ts
└── postRequests.ts

checkNetwork.ts:

import NetInfo from '@react-native-community/netinfo';
import { NO_NETWORK_CONNECTION } from './errors';

const checkNetwork = (): Promise<boolean | string> =>
  new Promise((resolve, reject) => {
    NetInfo.isConnected
      .fetch()
      .then(isConnected => (isConnected ? resolve(true) : reject(NO_NETWORK_CONNECTION)))
      .catch(() => reject(NO_NETWORK_CONNECTION));
  });

export default checkNetwork;

postRequests.ts:

import checkNetwork from './checkNetwork';
import fetch from 'node-fetch';

export const postRequestWithoutHeader = (fullUrlRoute: string, body: object) =>
  checkNetwork().then(() =>
    fetch(fullUrlRoute, {
      method: 'POST',
      body: JSON.stringify(body),
      headers: { 'Content-Type': 'application/json' }
    }).then(response =>
      response.json().then(json => {
        if (!response.ok) {
          return Promise.reject(json);
        }
        return json;
      })
    )
  );

单元测试:

postRequests.test.ts:

import { postRequestWithoutHeader } from './postRequests';
import fetch from 'node-fetch';

const { Response } = jest.requireActual('node-fetch');

jest.mock('./checkNetwork.ts');
jest.mock('node-fetch');

describe('postRequestWithoutHeader', () => {
  const mockedData = { data: 'mocked data' };
  const mockedJSONData = JSON.stringify(mockedData);
  const urlRoute = 'https://github.com/mrdulin';
  const body = {};

  it('should post request without header correctly', async () => {
    (fetch as jest.MockedFunction<typeof fetch>).mockResolvedValueOnce(new Response(mockedJSONData));
    const actualValue = await postRequestWithoutHeader(urlRoute, body);
    expect(actualValue).toEqual(mockedData);
    expect(fetch).toBeCalledWith(urlRoute, {
      method: 'POST',
      body: JSON.stringify(body),
      headers: { 'Content-Type': 'application/json' }
    });
  });

  it('should post request error', async () => {
    const mockedResponse = new Response(mockedJSONData, { status: 400 });
    (fetch as jest.MockedFunction<typeof fetch>).mockResolvedValueOnce(mockedResponse);
    await expect(postRequestWithoutHeader(urlRoute, body)).rejects.toEqual(mockedData);
    expect(fetch).toBeCalledWith(urlRoute, {
      method: 'POST',
      body: JSON.stringify(body),
      headers: { 'Content-Type': 'application/json' }
    });
  });
});

单元测试结果覆盖率100%:

Unit test result with 100% coverage:

 PASS  src/stackoverflow/52673113/postRequests.test.ts
  postRequestWithoutHeader
    ✓ should post request without header correctly (7ms)
    ✓ should post request error (1ms)

-----------------|----------|----------|----------|----------|-------------------|
File             |  % Stmts | % Branch |  % Funcs |  % Lines | Uncovered Line #s |
-----------------|----------|----------|----------|----------|-------------------|
All files        |      100 |      100 |      100 |      100 |                   |
 postRequests.ts |      100 |      100 |      100 |      100 |                   |
-----------------|----------|----------|----------|----------|-------------------|
Test Suites: 1 passed, 1 total
Tests:       2 passed, 2 total
Snapshots:   0 total
Time:        4.996s, estimated 5s

这是完整的演示: https://github .com/mrdulin/jest-codelab/tree/master/src/stackoverflow/52673113

依赖项:

"@react-native-community/netinfo": "^4.2.1",
"react-native": "^0.60.5",

我正在使用最新版本的react-native模块,因此已弃用NetInfo模块. https://facebook.github.io/react-native/docs/netinfo. html

I am using the latest version react-native module, so the NetInfo module is deprecated. https://facebook.github.io/react-native/docs/netinfo.html

这篇关于如何使用Jest在React Native项目中使用__mocks__的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持IT屋!

查看全文
登录 关闭
扫码关注1秒登录
发送“验证码”获取 | 15天全站免登陆