似乎有两个地方可以做到这一点。
首先是您的异步操作创建者,当您获得响应时,您可以过滤响应数据并将其传递给您的成功操作创建函数,以便它将过滤后的数据传递给减速器。最后,您的状态将使用过滤后的数据进行更改。
第二个地方是你的减速器。您可以在 reducer 中过滤 action.data。没有什么不妥。过滤您的数据,使用过滤后的数据返回您的新状态。就个人而言,我会在减速机中这样做。所以动作创建者只是传递响应然后我可以在减速器中调试它。两种方式都是可能的。
例子 :
您想从 github 获取数据以显示用户:
/*
CONSTANTS # just variables to refer in your actions or reducer
you want to change your state for 3 different points
1- Request started
2- Request ended with success, you have the data you requested
3- Request ended with failure, you have error message as response
*/
let
GET_GITHUB_INFO = 'GET_GITHUB_INFO', // for request started
GET_GITHUB_INFO_SUCCESS = 'GET_GITHUB_INFO_SUCCESS', // for request success
GET_GITHUB_INFO_FAIL = 'GET_GITHUB_INFO_FAIL' ; // for request fail
/*
REDUCER # the function called in Redux createStore when you
# dispatch action ( look at the source code for createStore )
*/
let reducer = ( state, action ) => {
case GET_GITHUB_INFO : // when you dispatch action to start request
return {
loading : true, /* # we changed our redux state to let components know
# request started. Component can show spinner etc. */
loaded : false, /* # change loaded state if it has changed before, for
# for instance think about a second request */
error : false /* # change error state if it has changed before, just
# like loaded case above */
};
case GET_GITHUB_INFO_SUCCESS : /* # you dont manually dispatch action for this
# from component, instead you write the code
# which dispatches action for this in your
# async action creator function. more on this
# later */
return {
loading : false, /* # we changed our redux state to let components know
# request ended. Component can hide spinner etc. */
loaded : true, /* # change loaded state because we have no error, we got
# success from our promise, more on that later */
error : false /* # no error */
}
}
// actions
export function getGithubInfo() {
return {
type : GET_GITHUB_INFO
}
};
export function getGithubInfoSuccess(data) {
return {
type : GET_GITHUB_INFO_SUCCESS,
data
}
};
export function getGithubInfoFail(data) {
return {
type : GET_GITHUB_INFO_FAIL,
data
}
};
export function getGithubInfoAsync({view,id}){
// you ll only call this action from your component
return function(dispatch) {
dispatch(getGithubInfo());
axios.get(DATA_URL)
.then((response) => {
/* filter your response and pass to action creator function */
dispatch( getGithubInfoSuccess(response.data)); // { type :"",views : ...}
})
.catch((error) => {
return dispatch(getGithubInfoFail({
error : error['error_message']
}))
});
}
}