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)
React
With
Redux
Objectives
-
Describe react-redux
-
Use the provider component to share a store
-
Use connect to mapStateToProps and mapDispatchToProps
React-Redux
A library to facilitate integrating React with Redux
Exposes a Provider component and a connect function
Handles: Listeners, passing in state to a component
React-Redux Install
npm install --save react-redux
Provider
import React from 'react';
import ReactDOM from 'react-dom';
import {Provider} from 'react-redux';
import {createStore} from 'redux';
import rootReducer from './reducers';
const store = createStore(rootReducer);
ReactDOM.render(
<Provider store={store}>
<App />
</Provider>,
document.getElementById('root')
);
Connect: Wrapping A Component
import React from 'react';
import {connect} from 'react-redux';
const BoldName = ({name}) => (
<strong>{name}</strong>
);
const mapStateToProps = state => (
{ name: state.name }
);
export default
connect(mapStateToProps, null)(BoldName);
Connect: Wrapping A Component
import React from 'react';
import {connect} from 'react-redux';
const DelName = ({delName}) => (
<button type="button"
onClick={delName}>DELETE</button>
);
const mapDispatchToProps = (
dispatch, ownProps
) => (
{
delName: () => (dispatch({
type: "DEL_NAME"
}))
}
);
export default
connect(null, mapDispatchToProps)(DelName);
Using Wrapped Components
import React from 'react';
import BoldName from './BoldName';
import DelName from './DelName';
const App = () => (
<div>
<BoldName />
<DelName />
</div>
);
Your
Turn
Redux
Refactor Exercise
Redux
Refactor Solution
Organizing Redux
Objectives
-
Define a presentational component vs a container component
-
Define combine reducers
-
Define action creators
-
Describe a folder structure for redux
Presentational Component
A component that is primarily concerned with how things look
It is often a stateless functional component, but does have to be
Container Component
Usually a stateful component that deals with application data
Often created using higher order components like connect or withRouter
Dan Abramov's
Presentational And Container Components
combineReducers
A redux function that allows for reducer composition
Each reducer is only responsible for its piece of the entire state object
import {combineReducers} from 'redux';
import currentUser from './currentUser';
import messages from './messages';
const rootReducer = combineReducers({
currentUser,
messages,
});
export default rootReducer;
combineReducers
const messages = (state=[], action) => {
switch(action.type) {
case "LOAD_MESSAGES":
return [...action.messages];
case "ADD_MESSAGE":
return [action.message, ...state];
default:
return state;
}
};
export default messages;
Messages Reducer
Action Creators
A function that returns an action object
const mapDispatchToProps = dispatch => ({
onLogout() {
dispatch({
type: "USER_LOGOUT"
})
},
});
const mapDispatchToProps = dispatch => ({
onLogout() {
dispatch(actions.userLogout())
},
});
Redux Directory Structure
data:image/s3,"s3://crabby-images/cf4ff/cf4ff9c85f65f156871e582f1fe5b97a3f06adc2" alt=""
actions
data:image/s3,"s3://crabby-images/cf4ff/cf4ff9c85f65f156871e582f1fe5b97a3f06adc2" alt=""
components
data:image/s3,"s3://crabby-images/cf4ff/cf4ff9c85f65f156871e582f1fe5b97a3f06adc2" alt=""
containers
data:image/s3,"s3://crabby-images/cf4ff/cf4ff9c85f65f156871e582f1fe5b97a3f06adc2" alt=""
reducers
data:image/s3,"s3://crabby-images/cf4ff/cf4ff9c85f65f156871e582f1fe5b97a3f06adc2" alt=""
src
index.js
Todos
Redux
Example
Redux
Thunk
(Middleware)
Objectives
-
Define redux middleware
-
Define redux thunk and show a use case
Redux Middleware
Same idea as middleware in NodeJS
Code that is executed after an action is dispatched but before a reducer handles the action
Redux Thunk
Middleware for handling async actions
(API requests)
npm install --save redux-thunk
Middleware Setup
With Redux Thunk
import { createStore,
applyMiddleware } from 'redux'
import thunk from 'redux-thunk'
import { createLogger } from 'redux-logger'
import reducer from './reducers'
const middleware = [ thunk ]
if (process.env.NODE_ENV !== 'production') {
middleware.push(createLogger())
}
const store = createStore(
reducer,
applyMiddleware(...middleware)
)
Thunk Action Creator
export const receivePosts = (reddit, json) => ({
type: RECEIVE_POSTS,
reddit,
posts: json.data.children.map(child => child.data),
receivedAt: Date.now()
}
const fetchPosts = reddit => (
dispatch => {
dispatch(requestPosts(reddit))
return fetch(`https://www.reddit.com/r/${reddit}.json`)
.then(response => response.json())
.then(json => dispatch(receivePosts(reddit, json)))
}
)
Redux Examples Async
Redux Stuff
By Elie Schoppik
Redux Stuff
- 1,744