-
-
Save lmignot/261618a3ae3854f7d34aa17ca198784c to your computer and use it in GitHub Desktop.
Redux-Thunk examples
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// The classic AJAX call - dispatch before the request, and after it comes back | |
function myThunkActionCreator(someValue) { | |
return (dispatch, getState) => { | |
dispatch({type : "REQUEST_STARTED"}); | |
myAjaxLib.post("/someEndpoint", {data : someValue}) | |
.then( | |
response => dispatch({type : "REQUEST_SUCCEEDED", payload : response}), | |
error => dispatch({type : "REQUEST_FAILED", error : error}) | |
); | |
}; | |
} | |
// An example of conditional dispatching based on state | |
const MAX_TODOS = 5; | |
function addTodosIfAllowed(todoText) { | |
return (dispatch, getState) => { | |
const state = getState(); | |
if(state.todos.length < MAX_TODOS) { | |
dispatch({type : "ADD_TODO", text : todoText}); | |
} | |
} | |
} | |
// An example of checking state after a dispatch | |
function checkStateAfterDispatch() { | |
return (dispatch, getState) => { | |
const firstState = getState(); | |
dispatch({type : "FIRST_ACTION"}); | |
const secondState = getState(); | |
if(secondState.someField != firstState.someField) { | |
dispatch({type : "SECOND_ACTION"}); | |
} | |
} | |
} | |
// An example of a thunk dispatching other action creators, | |
// which may or may not be thunks themselves. No async code, just | |
// orchestration of higher-level synchronous logic. | |
function complexSynchronousThunk(someValue) { | |
return (dispatch, getState) => { | |
dispatch(someBasicActionCreator(someValue)); | |
dispatch(someThunkActionCreator()); | |
} | |
} | |
// One solution to the "cross-slice state in reducers" problem: | |
// read the current state in a thunk, and include all the necessary | |
// data in the action | |
function crossSliceActionThunk() { | |
return (dispatch, getState) => { | |
const state = getState(); | |
// Read both slices out of state | |
const {a, b} = state; | |
// Include data from both slices in the action | |
dispatch(type : "ACTION_FOR_A_AND_B", payload : {a, b}); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment