Redux in simple term is a state container for JavaScript apps - not just for React.
It allows consistency in your application since state of the whole application is store in a single immutable tree. Since it is immutable, the only way to update the state is to dispatch an action using a pure functions.
//An action to add item to a note list
{
type: "ADD_NOTE",
text: "Set up meeting",
}
//Action creator for ADD_NOTE action
function addNote(text){
return {
type: "ADD_NOTE",
text,
}
}
//Call dispatch to add note to store state
dispatch(addNote(text));
function reducer(currentState, action){
//Do something to update the state
return newState;
}
myNote reducer has initialState as it default store state. Inside the function, it looks at the type of the action to determine how store state is update. A completely new state object is returned by concatenating the current notes with the additional note from action. The changes should never be applied directly to the state but we should always return a new object to maintain its immutability.
//Create initial state of the store
const initialState = {
notes: [],
};
//myNote reducer
function myNote(state = initialState, action){
switch(action.type){
//Update notes property of store state
case "ADD_NOTE":
return {
notes: [
...state.notes,
action.text
]
}
default:
return state;
}
}
Since your whole application has a single store, the store would have information of multiple parts of your application. If only one reducer handles state changes of the whole application, it will get out of hand very quickly. We could split the reducer so that each reducer handle a portion of the store state then use combineReducers to merge them into one.
//Initial state of the store
const initialState = {
notes: [],
displayOnlyFive: false,
};
//Reducer that handles notes property of store state
function notes(state = [], action){
switch(action.type){
//Update notes property of store state
case "ADD_NOTE":
return {
notes: [
...state.notes,
action.text
]
}
default:
return state;
}
}
//Reducer that handles displayOnlyFive property of store state
function displayOnlyFive(state = false, action){
switch(action.type){
case "DISPLAY_ONLY_FIVE_NOTES":
return action.displayOnlyFive;
default:
return state;
}
}
//Combine reducers
const myNote = combineReducers({
notes,
displayOnlyFive,
});
//Which is the same as this
function myNote(state = {}, action) {
return {
notes: notes(state.notes, action),
displayOnlyFive: displayOnlyFive(state.displayOnlyFive, action)
}
}
store.dispatch(action) is called to send action object to the store
The store will then pass current state and the action to the reducer
Multiple reducers can be merged into one to create the state tree
The store then saves the new state returned from the reducer
const store = createStore<IStoreState>(reducer);
Reference: Redux