Bagaimana cara mengejek useHistory hook in jest?

18

Saya menggunakan hook UseHistory di router reaksi v5.1.2 dengan naskah? Saat menjalankan unit test, saya mendapat masalah.

TypeError: Tidak dapat membaca properti 'histori' yang tidak terdefinisi.

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();
    });
});

Saya juga sudah mencoba menggunakan jest.mock('react-router', () =>({ useHistory: jest.fn() }));tetapi masih tidak berfungsi.

Ivan Martinyuk
sumber

Jawaban:

27

Saya membutuhkan hal yang sama ketika memberikan komponen fungsional yang digunakan useHistory.

Diselesaikan dengan mock berikut dalam file pengujian saya:

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

Yang ini bekerja untuk saya:

jest.mock('react-router-dom', () => ({
  ...jest.requireActual('react-router-dom'),
  useHistory: () => ({
    push: jest.fn()
  })
}));
Erhan
sumber
1
pendekatan ini mempertahankan fungsi-fungsi reaksi-router-dom lainnya yang Anda mungkin tidak ingin mengejek
Pnar Sbi Wer
@ Erhan saya telah melakukan hal yang sama. tetapi sekali lagi ini adalah kesalahan melempar: TypeError: Tidak dapat membaca properti 'histori' yang tidak terdefinisi. ada saran ?
Mukund Kumar
7

Berikut contoh yang lebih jelas, diambil dari kode tes yang berfungsi (karena saya mengalami kesulitan menerapkan kode di atas):

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');
  });
Alex W
sumber
5

Dalam github react-router repo saya menemukan bahwa useHistory hook menggunakan konteks singleton, ketika saya mulai menggunakannya di mount MemoryRouter ia menemukan konteks dan mulai bekerja. Jadi perbaiki

import { MemoryRouter } from 'react-router-dom';
const tree =  mount(<MemoryRouter><QuestionContainer {...props} /> </MemoryRouter>);
Ivan Martinyuk
sumber