Jest模拟异步调用内部反应组件

时间:2017-03-07 02:05:30

标签: javascript unit-testing reactjs jestjs enzyme

我是jest / enzyme的新手,并且我正在尝试模拟对返回Promise的异步函数的调用,该调用是在componentDidMount方法的react组件内进行的。

测试试图测试componentDidMount设置状态中Promise返回的数组。

我遇到的问题是测试在数组添加到状态之前完成并通过。我正在尝试使用'完成'回调让测试等到诺言结算,但这似乎不起作用。

我试图在完成()调用之前将期望调用移到该行,但这似乎也不起作用。

谁能告诉我这里做错了什么?

正在测试的组件:

componentDidMount() {
  this.props.adminApi.getItems().then((items) => {
    this.setState({ items});
  }).catch((error) => {
    this.handleError(error);
  });
}

我的测试:

    import React from 'react';
    import { mount } from 'enzyme';
    import Create from '../../../src/views/Promotion/Create';

    import AdminApiClient from '../../../src/api/';
    jest.mock('../../../src/api/AdminApiClient');

    describe('view', () => {

      describe('componentDidMount', () => {

        test('should load items into state', (done) => {
          const expectedItems = [{ id: 1 }, { id: 2 }];

          AdminApiClient.getItems.mockImplementation(() => {
            return new Promise((resolve) => {
              resolve(expectedItems);
              done();
            });
          });

          const wrapper = mount(
            <Create adminApi={AdminApiClient} />
          );

          expect(wrapper.state().items).toBe(expectedItems);
        });

      });
    });

1 个答案:

答案 0 :(得分:7)

您的测试有两个问题。首先你不能这样模仿AdminApiClientjest.mock将仅使用undefined替换模块,因此getItems.mockImplementation将无效或将引发错误。也没有必要使用原始的。当你通过道具传递它作为参数时,你可以在测试中创建你的模拟权利。其次,如果您使用承诺,则必须从测试中返回承诺或使用async/awaitdocs):

it('', async() = > {
  const expectedItems = [{ id: 1 }, { id: 2 }];
  const p = Promise.resolve(expectedItems)
  AdminApiClient = {
    getItems: () = > p
  }
  const wrapper = mount(
    <Create adminApi={AdminApiClient} />
  );
  await p
  expect(wrapper.state().items).toBe(expectedItems);
})