Search code examples
reactjsreduxjestjsreact-testing-library

Testing custom hook: Invariant Violation: could not find react-redux context value; please ensure the component is wrapped in a <Provider>


I got a custom hook which I want to test. It receives a redux store dispatch function and returns a function. In order to get the result I'm trying to do:

const { result } = renderHook(() => { useSaveAuthenticationDataToStorages(useDispatch())});

However, I get an error:

Invariant Violation: could not find react-redux context value; please ensure the component is wrapped in a

It happens because of the useDispatch and that there is no store connected. However, I don't have any component here to wrap with a provider.. I just need to test the hook which is simply saving data to a store.

How can I fix it?


Solution

  • The react hooks testing library docs go more into depth on this. However, what we essentially are missing is the provider which we can obtain by creating a wrapper. First we declare a component which will be our provider:

    import { Provider } from 'react-redux'
    
    const ReduxProvider = ({ children, reduxStore }) => (
      <Provider store={reduxStore}>{children}</Provider>
    )
    

    then in our test we call

    test("...", () => {
      const store = configureStore();
      const wrapper = ({ children }) => (
        <ReduxProvider reduxStore={store}>{children}</ReduxProvider>
      );
      const { result } = renderHook(() => {
        useSaveAuthenticationDataToStorages(useDispatch());
      }, { wrapper });
      // ... Rest of the logic
    });