Come deridere l'usoHistory hook in jest?


18

Sto usando il gancio UseHistory nel router di reazione v5.1.2 con dattiloscritto? Durante l'esecuzione del test unitario, ho riscontrato un problema.

TypeError: impossibile leggere la proprietà 'history' di undefined.

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

Inoltre ho provato ad usare jest.mock('react-router', () =>({ useHistory: jest.fn() }));ma ancora non funziona.

Risposte:


27

Avevo bisogno dello stesso per mettere a soqquadro un componente funzionale di reazione che usa useHistory.

Risolto con il seguente mock nel mio file di test:

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

18

Questo ha funzionato per me:

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

1
questo approccio preserva le altre funzioni di reazione-router-dom che potresti non voler deridere
Pnar Sbi Wer

@Erhan ho fatto lo stesso. ma ancora sta generando un errore: TypeError: Impossibile leggere la proprietà 'history' di undefined. qualche suggerimento ?
Mukund Kumar il

7

Ecco un esempio più dettagliato, tratto dal funzionamento del codice di test (poiché ho avuto difficoltà a implementare il codice sopra):

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

Nel repository Reame-router di Github ho scoperto che il hook useHistory usa il contesto singleton, quando ho iniziato a usare mount MemoryRouter ha trovato il contesto e ha iniziato a funzionare. Quindi aggiustalo

import { MemoryRouter } from 'react-router-dom';
const tree =  mount(<MemoryRouter><QuestionContainer {...props} /> </MemoryRouter>);
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.