Data Flow
Last updated
Last updated
Redux architecture revolves around a strict unidirectional data flow.
This means that all data in an application follows the same lifecycle pattern, making the logic of your app more predictable and easier to understand. It also encourages data normalization, so that you don't end up with multiple, independent copies of the same data that are unaware of one another.
If you're still not convinced, read and for a compelling argument in favor of unidirectional data flow. Although , it shares the same key benefits.
The data lifecycle in any Redux app follows these 4 steps:
You call .
An is a plain object describing what happened. For example:
Think of an action as a very brief snippet of news. “Mary liked article 42.” or “'Read the Redux docs.' was added to the list of todos.”
You can call from anywhere in your app, including components and XHR callbacks, or even at scheduled intervals.
The Redux store calls the reducer function you gave it.
The will pass two arguments to the : the current state tree and the action. For example, in the todo app, the root reducer might receive something like this:
Note that a reducer is a pure function. It only computes the next state. It should be completely predictable: calling it with the same inputs many times should produce the same outputs. It shouldn't perform any side effects like API calls or router transitions. These should happen before an action is dispatched.
The root reducer may combine the output of multiple reducers into a single state tree.
When you emit an action, todoApp
returned by combineReducers
will call both reducers:
It will then combine both sets of results into a single state tree:
The Redux store saves the complete state tree returned by the root reducer.
Note for Advanced Users
How you structure the root reducer is completely up to you. Redux ships with a helper function, useful for “splitting” the root reducer into separate functions that each manage one branch of the state tree.
Here's how works. Let's say you have two reducers, one for a list of todos, and another for the currently selected filter setting:
While is a handy helper utility, you don't have to use it; feel free to write your own root reducer!
This new tree is now the next state of your app! Every listener registered with will now be invoked; listeners may call to get the current state.
Now, the UI can be updated to reflect the new state. If you use bindings like , this is the point at which component.setState(newState)
is called.
Now that you know how Redux works, let's .
If you're already familiar with the basic concepts and have previously completed this tutorial, don't forget to check out in the to learn how middleware transforms before they reach the reducer.