The following implementation is a quick excerpt from one of my daily tasks as a software developer. If I run into a problem and arrive at an example that I find worth sharing, I will put a gist of the code up on this website. It might be useful for someone else stumbling across the same task.
The following implementation shows you how to integrate Redux Persist into Next.js with a quick example. First, the installation of the library on the command line:
npm install redux-persist
Second, rather than having a straightforward function which creates our Redux store, we distinguish between server-side and client-side Redux store. In the case of the client-side Redux store creation, we add the implementation to persist our store -- by default in the local storage -- between browser sessions:
import { createStore, applyMiddleware } from 'redux';import createSagaMiddleware from 'redux-saga';import { persistStore } from 'redux-persist';import rootSaga from './saga';import rootReducer from './reducer';export default (initialState) => {let store;const sagaMiddleware = createSagaMiddleware();const isClient = typeof window !== 'undefined';if (isClient) {const { persistReducer } = require('redux-persist');const storage = require('redux-persist/lib/storage').default;const persistConfig = {key: 'root',storage};store = createStore(persistReducer(persistConfig, rootReducer),initialState,applyMiddleware(sagaMiddleware));store.__PERSISTOR = persistStore(store);} else {store = createStore(rootReducer,initialState,applyMiddleware(sagaMiddleware));}store.sagaTask = sagaMiddleware.run(rootSaga);return store;};
Last but not least, in our src/pages/_app.js file -- which defines our Next.js root component -- we add additional code for the persistent Redux store:
import React from 'react';import { Provider } from 'react-redux';import App from 'next/app';import withRedux from 'next-redux-wrapper';import { PersistGate } from 'redux-persist/integration/react';import reduxStore from './store';class MyApp extends App {static async getInitialProps({ Component, ctx }) {const pageProps = Component.getInitialProps? await Component.getInitialProps(ctx): {};return { pageProps };}render() {const { Component, pageProps, store } = this.props;return (<Provider store={store}><PersistGate persistor={store.__PERSISTOR} loading={null}><Component {...pageProps} /></PersistGate></Provider>);}}export default withRedux(reduxStore)(MyApp);
That's it. Try it yourself by adding something to the Redux store, refreshing or reloading the browser, and checking the local storage in your browser's development tools. You should have the Redux store's state in there. In your React components connecting to the Redux store, you can retrieve the state.