0

我如何处理和承诺 redux 的进展?

我想在 promise 执行时显示一些旋转条或其他东西,我正在使用axios来处理请求,但是他们有一个 api 来处理请求的配置对象中这样的进度:

{  
   progress: function(progressEvent) {
       // Do whatever you want with the native progress event
   }
}

但我只能在 redux 操作中发送请求,例如:

return {
    type: "HTTP_REQUEST",
    payload: axios.get("/webAPI/data", configObj)
}

如何在这些条件下处理进度事件?

4

2 回答 2

2

虽然 gabdallah 的回答是正确的,但我觉得它只是部分回答了这个问题。如果您愿意,可以轻松组合两个答案中的代码。

如果您确实想向用户显示进度,您可以从进度回调中分派特定的进度操作,并将当前进度作为有效负载。像这样的东西:

{  
   progress: function(progressEvent) {
       return dispatch({
           type: "HTTP_REQUEST_PROGRESS",
           payload: {
               url: "/webAPI/data",
               currentBytes: progressEvent.current,
               totalBytes: progressEvent.total // properties on progressEvent made up by yours truly
           }
       });
   }
}

从本质上讲,您只需要另一个代表 的操作request progress,就像您已经有一个用于发起请求的操作(并且可能一个用于成功和不成功结果的操作)。

于 2016-03-15T13:00:47.363 回答
0

如果您只想显示一个微调器而不是进度条,那么您真的不需要进度功能。相反,我会推荐一些类似的东西:

const axiosAction = function(configObj) {
  // We have to thunk the dispatch since this is async - need to use the thunk middleware for this type of construct
  return dispatch => {
    /* action to notify the spinner to start (ie, update your store to have a
    loading property set to true that will presentationally start the spinner) */
    dispatch({
      type: 'AXIOS_REQUEST_STARTING'
    });
    return axios.get("/webAPI/data", configObj)
        .then(res => {
          /* action to set loading to false to stop the spinner, and do something with the res */
          return dispatch({
            type: 'AXIOS_REQUEST_FINISHED',
            payload: res,
          })
        })
        .catch(err => /* some error handling*/);
  };
}

编辑为redux-thunk添加链接

于 2016-03-15T12:52:31.057 回答