jest에서 히스토리 훅을 조롱하는 방법?


17

TypeScript를 사용하여 반응 라우터 v5.1.2에서 UseHistory 후크를 사용하고 있습니까? 단위 테스트를 실행할 때 문제가 있습니다.

TypeError : 정의되지 않은 'history'속성을 읽을 수 없습니다.

import { mount } from 'enzyme';
import React from 'react';
import {Action} from 'history';
import * as router from 'react-router';
import { QuestionContainer } from './QuestionsContainer';

describe('My questions container', () => {
    beforeEach(() => {
        const historyHistory= {
            replace: jest.fn(),
            length: 0,
            location: { 
                pathname: '',
                search: '',
                state: '',
                hash: ''
            },
            action: 'REPLACE' as Action,
            push: jest.fn(),
            go: jest.fn(),
            goBack: jest.fn(),
            goForward: jest.fn(),
            block: jest.fn(),
            listen: jest.fn(),
            createHref: jest.fn()
        };//fake object 
        jest.spyOn(router, 'useHistory').mockImplementation(() =>historyHistory);// try to mock hook
    });

    test('should match with snapshot', () => {
        const tree = mount(<QuestionContainer />);

        expect(tree).toMatchSnapshot();
    });
});

또한 사용을 시도 jest.mock('react-router', () =>({ useHistory: jest.fn() }));했지만 여전히 작동하지 않습니다.

답변:


25

를 사용하는 반응 기능 구성 요소를 얕게 할 때도 똑같이 필요했습니다 useHistory.

내 테스트 파일에서 다음 모형을 해결했습니다.

jest.mock('react-router-dom', () => ({
  useHistory: () => ({
    push: jest.fn(),
  }),
}));

17

이것은 나를 위해 일했다 :

jest.mock('react-router-dom', () => ({
  ...jest.requireActual('react-router-dom'),
  useHistory: () => ({
    push: jest.fn()
  })
}));

1
이 접근법은 당신이 조롱하고 싶지 않은 다른 반응 라우터
-dom

@ Erhan 나는 똑같이했다. 그러나 다시 오류가 발생합니다 : TypeError : 정의되지 않은 'history'속성을 읽을 수 없습니다. 어떠한 제안 ?
Mukund Kumar

6

테스트 코드 작업에서 얻은 더 자세한 예는 다음과 같습니다 (위의 코드를 구현하는 데 어려움이 있었기 때문에).

Component.js

  import { useHistory } from 'react-router-dom';
  ...

  const Component = () => {
      ...
      const history = useHistory();
      ...
      return (
          <>
              <a className="selector" onClick={() => history.push('/whatever')}>Click me</a>
              ...
          </>
      )
  });

Component.test.js

  import { Router } from 'react-router-dom';
  import { act } from '@testing-library/react-hooks';
  import { mount } from 'enzyme';
  import Component from './Component';
  it('...', () => {
    const historyMock = { push: jest.fn(), location: {}, listen: jest.fn() };
    ...
    const wrapper = mount(
      <Router history={historyMock}>
        <Component isLoading={false} />
      </Router>,
    ).find('.selector').at(1);

    const { onClick } = wrapper.props();
    act(() => {
      onClick();
    });

    expect(historyMock.push.mock.calls[0][0]).toEqual('/whatever');
  });

5

github react-router repo에서 useHistory 후크가 싱글 톤 컨텍스트를 사용한다는 것을 알았습니다. Mount MemoryRouter에서 사용을 시작하면 컨텍스트를 발견하고 작업을 시작했습니다. 그래서 고쳐

import { MemoryRouter } from 'react-router-dom';
const tree =  mount(<MemoryRouter><QuestionContainer {...props} /> </MemoryRouter>);
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.