I have a multi-step form application, and I\'m struggling with getting my head around how I can save my redux state and replay it after a refresh for example? Going back/forward
You can't store state on refresh this is normal. Typically you store these inside cookies or web storage.
Redux:
Form
component, use componentWillMount
method to read the localstorage
and dispatch
the data to a reducerIf you use redux to store form data dispatch the properties of localstorage.
If not read the localstorage inside the Form
component and set the initial values.
Hope this helps !
It looks like you're trying to use a single-page app framework within a multiple-page context. To make the two play nicer together, you could look into making your own middleware that synchronizes state to and from localStorage
to create an app that appears to not have lost any state after a refresh/page navigation.
localStorageLoad
) and end (localStorageDump
) of the createStoreWithMiddleware
function creation (right before redux-logger
):// store/configureStore.js
const createStoreWithMiddleware = applyMiddleware(
localStorageLoad, thunk, promise, localStorageDump, logger
)(createStore);
// index.js
const store = configureStore();
store.dispatch({ type: 'INIT' });
ReactDOM.render(<App />, document.getElementById('root'));
The localStorageLoad
would handle the INIT
action and dispatch some sort of SET_STATE
action, which would contain a payload with the state that was previously saved in localStorage
.
// middleware/localStorageLoad.js
export default store => next => action => {
const { type } = action;
if (type === 'INIT') {
try {
const storedState = JSON.parse(
localStorage.getItem('YOUR_APP_NAME')
);
if (storedState) {
store.dispatch({
type: 'RESET_STATE',
payload: storedState
});
}
return;
} catch (e) {
// Unable to load or parse stored state, proceed as usual
}
}
next(action);
}
Then, add a reducer which replaces the state with that payload, effectively rebooting the app as it was previously.
localStorageDump
middleware that comes at the end of the chain that saves each reduced state object into localStorage
. Something like this:// middleware/localStorageDump.js
export default store => next => action => {
const state = store.getState();
localStorage.setItem('YOUR_APP_NAME', JSON.stringify(state));
next(action);
}
Just an idea, haven't actually tried it. Hope that helps get you started towards a solution.