当前位置:Gxlcms > JavaScript > redux-thunk实战项目案例详解

redux-thunk实战项目案例详解

时间:2021-07-01 10:21:17 帮助过:17人阅读

这次给大家带来redux-thunk实战项目案例详解,redux-thunk实战项目使用的注意事项有哪些,下面就是实战案例,一起来看一下。

redux的核心概念其实很简单:将需要修改的state都存入到store里,发起一个action用来描述发生了什么,用reducers描述action如何改变state tree 。创建store的时候需要传入reducer,真正能改变store中数据的是store.dispatch API。

1.概念

dispatch一个action之后,到达reducer之前,进行一些额外的操作,就需要用到middleware。你可以利用 Redux middleware 来进行日志记录、创建崩溃报告、调用异步接口或者路由等等。
换言之,中间件都是对store.dispatch()的增强

2.中间件的用法

  1. import { applyMiddleware, createStore } from 'redux';
  2. import thunk from 'redux-thunk';
  3. const store = createStore(
  4. reducers,
  5. applyMiddleware(thunk)
  6. );

直接将thunk中间件引入,放在applyMiddleware方法之中,传入createStore方法,就完成了store.dispatch()的功能增强。即可以在reducer中进行一些异步的操作。

3.applyMiddleware()

其实applyMiddleware就是Redux的一个原生方法,将所有中间件组成一个数组,依次执行。

中间件多了可以当做参数依次传进去

  1. const store = createStore(
  2. reducers,
  3. applyMiddleware(thunk, logger)
  4. );

如果想了解它的演化过程可以去redux的官方文档:https://redux.js.org/advanced/middleware

4.redux-thunk

分析redux-thunk的源码node_modules/redux-thunk/src/index.js

  1. function createThunkMiddleware(extraArgument) {
  2. return ({ dispatch, getState }) => next => action => {
  3. if (typeof action === 'function') {
  4. return action(dispatch, getState, extraArgument);
  5. }
  6. return next(action);
  7. };
  8. }
  9. const thunk = createThunkMiddleware();
  10. thunk.withExtraArgument = createThunkMiddleware;
  11. export default thunk;

redux-thunk中间件export default的就是createThunkMiddleware()过的thunk,再看createThunkMiddleware这个函数,返回的是一个柯里化过的函数。我们再翻译成ES5的代码容易看一点,

  1. function createThunkMiddleware(extraArgument) {
  2. return function({ dispatch, getState }) {
  3. return function(next){
  4. return function(action){
  5. if (typeof action === 'function') {
  6. return action(dispatch, getState, extraArgument);
  7. }
  8. return next(action);
  9. };
  10. }
  11. }
  12. }

这么一看,就可以看出来redux-thunk最重要的思想,就是可以接受一个返回函数的action creator。如果这个action creator 返回的是一个函数,就执行它,如果不是,就按照原来的next(action)执行。

正因为这个action creator可以返回一个函数,那么就可以在这个函数中执行一些异步的操作。

例如:

  1. export function addCount() {
  2. return {type: ADD_COUNT}
  3. }
  4. export function addCountAsync() {
  5. return dispatch => {
  6. setTimeout( () => {
  7. dispatch(addCount())
  8. },2000)
  9. }
  10. }

addCountAsync函数就返回了一个函数,将dispatch作为函数的第一个参数传递进去,在函数内进行异步操作就可以了。

相信看了本文案例你已经掌握了方法,更多精彩请关注Gxl网其它相关文章!

推荐阅读:

如何使用JS取得最近7天与最近3天日期

Angular ng-animate与ng-cookies如何在项目内使用

以上就是redux-thunk实战项目案例详解的详细内容,更多请关注Gxl网其它相关文章!

人气教程排行