Introduction
to
Redux
(Without React)
Objectives
-
Define what redux is
-
Describe actions and reducers in redux
-
Describe methods on the redux store
Redux
data:image/s3,"s3://crabby-images/1f7a2/1f7a2a2a7dce983224bad6123a6b451d1b490042" alt=""
A popular state management library
Models the application state as a single JavaScript Object
Created by Dan Abramov and Andrew Clark
Inspired by Facebook Flux and Elm
Often used with React but it does not depend on React
Redux Installation
data:image/s3,"s3://crabby-images/1f7a2/1f7a2a2a7dce983224bad6123a6b451d1b490042" alt=""
npm install --save redux
Action
A plain JavaScript object that must have a key called type and a string value
{
type: "LOGOUT_USER"
}
The action can have any number of additional keys
Reducer
A function that accepts the state and an action and returns a new state (entire state object)
function rootReducer(state={}, action) {
switch(action.type) {
case "LOGOUT_USER":
return {...state, login: false}
case "LOGIN_USER":
return {...state, login: true}
default:
return state;
}
}
Creating A Store
Use the Redux createStore function which accepts the root reducer as a paramter
const store = Redux.createStore(rootReducer);
Changing the State
The only way to change the state is by calling dispatch
const store = Redux.createStore(rootReducer);
store.dispatch({
type: "LOGIN_USER"
});
Getting The State
You can get the state of the Redux store using getState
const store = Redux.createStore(rootReducer);
store.dispatch({
type: "LOGIN_USER"
});
const newState = store.getState();
Listening For Changes
You can add a listener to see when the state has changed
const store = Redux.createStore(rootReducer);
const changeCallback = () => {
console.log("State has changed",
store.getState());
}
const unsubscribe =
store.listen(changeCallback);
Redux State Change
data:image/s3,"s3://crabby-images/1f7a2/1f7a2a2a7dce983224bad6123a6b451d1b490042" alt=""
dispatch(action)
reducer(currentState, action)
newState
Invoke Listeners (UI Changes)
Redux Without React
By Elie Schoppik
Redux Without React
- 2,707