Redux - Loading initial state asynchronously

前端 未结 3 703
遥遥无期
遥遥无期 2021-02-19 02:48

I\'m trying to work out the cleanest way to load the initial state of my Redux stores when it comes from API calls.

I understand that the typical way of providing the in

相关标签:
3条回答
  • 2021-02-19 02:56

    I also encountered the same problem (also building an electron app). A part of my store has application settings which gets persisted on local file system and I needed to load it asynchronously on application's startup.

    This is what I come up with. Being a "newbie" with React/Redux, I am very much interested in knowing the thoughts of the community on my approach and how it can be improved.

    I created a method which loads the store asynchronously. This method returns a Promise which contains the store object.

    export const configureStoreAsync = () => {
      return new Promise((resolve) => {
        const initialState = initialStoreState;//default initial store state
        try {
            //do some async stuff here to manipulate initial state...like read from local disk etc. 
            //This is again wrapped in its own Promises.
            const store = createStore(rootReducer, initialState, applyMiddleware(thunk));
            resolve(store);
          });
        } catch (error) {
          //To do .... log error!
          const store = createStore(rootReducer, initialState, applyMiddleware(thunk));
          console.log(store.getState());
          resolve(store);
        }
      });
    };
    

    Then in my application entry point, here's how I used it:

    configureStoreAsync().then(result => {
      const store = result;
      return ReactDOM.render(
        <Provider store={store}>
          <App store={store}/>
        </Provider>,
        document.getElementById('Main'));
    });
    

    Like I said, this is my naive attempt at solving this problem and I am sure there must be better ways of handling this problem. I would be very much interested in knowing how this can be improved.

    0 讨论(0)
  • 2021-02-19 02:57

    My app startup workflow:

    1. Loading spinner in index.html
    2. Ajax to check if user is logged in
    3. On ajax end, render the Root component
    4. Hide the loading spinner

    I achieved that by:

    1. Creating the store with a custom middleware that listens for the initial ajax end action and calls a callback once
    2. Dispatching the initial ajax action

    root.js

    const store = createStore(
        rootReducer,
        applyMiddleware(
            ...,
            actionCallbackOnceMiddleware(INITIAL_AJAX_END, render)
        )
    )
    
    function render() {
        ReactDOM.render(
            <Provider store={store}>
                <RootComponent/>
            </Provider>,
            document.getElementById('root')
        )
    
        document.getElementById('loading').dispatchEvent(new Event('hide'))
    }
    
    store.dispatch(initialAjaxAction());
    

    middleware/actionCallbackOnce.js

    export default (actionType, callback) => store => next => {
        let called = false;
    
        return action => {
            next(action);
    
            if (!called && action.type === actionType) {
                called = true;
                callback();
            }
        }
    }
    

    index.html

    <div id="loading">
        <span>Loading</span>
        <style type="text/css">...</style>
        <script>
            (function(loading){
                loading.addEventListener('hide', function(){
                    loading.remove();
                });
                loading.addEventListener('error', function(){
                    loading.querySelector('span').textContent = "Error";
                });
            })(document.getElementById('loading'));
        </script>
    </div>
    
    <div id="root"></div>
    
    0 讨论(0)
  • 2021-02-19 03:09

    As far as I can tell, you have only two options (logically):

    1. Set the initial state after the store is instantiated
    2. Set the initial state when the store is instantiated

    Option 1 must be done using an action:

    The only way to change the state is to emit an action, an object describing what happened.

    — One of "Three Principles" in the docs

    This is what you've tried, but you think it is crude for some reason.


    The alternative is just to call createStore after your asynch request has resolved. One solution has already been posted (by @Gaurav Mantri) using a Promise object, which is a nice approach.

    I would recommend against this, since you will likely have multiple modules trying to require or import your store (or store.dispatch, or store.subscribe) before it exists; they would all have to be made to expect Promises. The first method is the most Redux-y.

    0 讨论(0)
提交回复
热议问题