Web App Development

Minimal React/Redux Example

I put a minimal React/Redux demo up on Github. This is a walk-through of how it works.

Initializing the Redux store

var defaultState = {
    greeting: "Hello World!"
}
function reducerFunction(state=defaultState, action){
    return state;
}

var store = Redux.createStore(reducerFunction);

Redux stores are based on reducer functions. They take in the current state of the app as well as an action that determines how the state should change. The reducer function then returns the new state object.

In the case above we never modify the store’s state at all. We completely ignore the action and just return the existing state of our store.

When you do update the state, note that the reducer function should not mutate the state object. Instead of modifying it directly (state.greeting = "hi") you have to create a new object ({greeting: "hi"}) and return that.
Re-creating the whole object manually would be tedious in practice, so you can use Object.assign({}, state, {greeting: "hi"}) instead.

Creating a React component for the app

var App = React.createClass({
    render: function(){
        return <h1>
            {this.props.greeting}
        </h1>
    }
});

If you’ve tried React before this is probably straightforward.

The component takes the data in this.props and the render method uses it to generate JSX code which then ultimately turns into HTML.

Describing the connection between the Redux store and your app component

App = ReactRedux.connect(function(state){
    return state;
})(App);

ReactRedux’s connect method creates a new React component that wraps around your App component. (Wrapping around means the new component returns your <App /> in its render method.)

The connect method takes a function called mapStateToProps as an argument. This function describes the relationship between your store data (what is returned by store.getState()) and the props that are passed into your app.

In this case we simply return the store data directly.

mapStateToProps is a good place to compute derived values. For example, if our store data was {name: "World"} the mapping function could return {greeting: "Hello " + state.name}.

Rendering the app and passing the store into the app

ReactDOM.render(
    <ReactRedux.Provider store={store}>
        <App />
    </ReactRedux.Provider>,
    document.getElementById('app')
);

Finally we need to pass the store into the component returned by the connect function.

This is largely the same as using <App store={store} />, but recommended to use Provider instead. For example Provider also passes in the store’s dispatch method as a prop.

You can try the full code on Github.


Follow me on Twitter
I'm building monitoring tool for site speed and Core Web Vitals.
➔ Start monitoring your website or run a free site speed test