源码系列:react
上一篇文章里,action 都是同步的,也就是说 dispatch(action),通过中间件,更新获得 state 是同步的。git
下面介绍几种 action 是异步执行的。github
redux-chunk 是 redux 的一个中间件 middleware,核心是建立一个异步的 action。redux
具体是怎么实现的呢?首先了解一个概念,什么是 thunk?promise
thunk 是一个函数,函数内有一个表达式,目的是为了延时执行。react-router
let x = 1 + 2;
let foo = () => 1 + 2;
复制代码
只有 foo()
执行时,才返回 3,那么 foo 就是 chunk 函数。异步
redux-thunk
源码不多,但又是经典,源码以下:函数
function createThunkMiddleware(extraArgument) {
return ({ dispatch, getState }) => next => action => {
if (typeof action === 'function') {
return action(dispatch, getState, extraArgument);
}
return next(action);
};
}
const thunk = createThunkMiddleware();
export default thunk;
复制代码
如源码所示,redux-thunk 是个中间件,和其余中间件区别就是,判断 action 类型是一个函数时候,执行这个 action。而同步 action 执行返回是一个对象。源码分析
例子:post
// dispatch(action) 时,通过中间件时,执行 next(action),更新获得 state 是同步的。
const loading = text => ({
type: 'LOADING',
text
})
const cancelLoading = text => ({
type: 'CANCEL_LOADING',
text
})
// dispatch(action) 时,通过中间件时,执行 action(...args),更新获得 state 是异步的。
const fetchPeople = (url, params) => {
return ({dispatch, getState}) => {
dispatch(loading('start loading'));
fetch(url, params).then(delayPromise(3000)).then(data => {
dispatch(cancelLoading('cancel loading'));
});
};
};
复制代码
redux-promise 也是中间件 middleware,原理和 redux-thunk 差很少,主要区别是 redux-promise 用到了 promise 异步。
源码以下:
import isPromise from 'is-promise';
import { isFSA } from 'flux-standard-action';
export default function promiseMiddleware({ dispatch }) {
return next => action => {
if (!isFSA(action)) {
return isPromise(action) ? action.then(dispatch) : next(action);
}
return isPromise(action.payload)
? action.payload
.then(result => dispatch({ ...action, payload: result }))
.catch(error => {
dispatch({ ...action, payload: error, error: true });
return Promise.reject(error);
})
: next(action);
};
}
复制代码
redux-promise 兼容了 FSA 标准(结果信息放在 payload 里),实现过程就是判断 action 或 action.payload
是否为 promise 对象,是则执行 then().catch()
,不然 next(action)
。
下面是博客地址,以为不错点个Star,谢谢~