redux-promise与Axios,以及如何处理错误?

时间:2016-02-16 17:21:02

标签: redux axios redux-promise

所以,我看到一个错误,redux-promise递给我错误:true,还有有效负载,但是一旦它击中了reducer ...对我来说,解耦请求和错误条件有点奇怪,似乎不合适。当使用axios w / reduc-promise(中间件)时,还有一种处理错误情况的有效方法..这里是我所拥有的要点..

in action/
const request = axios(SOME_URL);

return {
   type: GET_ME_STUFF,
   payload: request
}

in reducer/
  const startState = {
     whatever: [],
     error: false
  }

  case GET_ME_STUFF:
     return {...state, startState, {stuff:action.payload.data, error: action.error? true : false}}
等等...然后我可以处理错误..所以,我的api调用现在分成两个独立的区域,这似乎是错误的......我必须在这里找到一些东西。我会想/在/ actions中我可以传递一个回调来处理一个新的动作等等。但是不能拆分它。

6 个答案:

答案 0 :(得分:20)

我不得不经历类似的情况。挑战在于,您可能无法在减速器上评估承诺的结果。你可以处理你的例外,但这不是最好的模式。从我所读过的内容来看,reducer只是为了基于action.type返回适当的状态而不做任何其他事情。

所以,输入一个额外的中间件,redux-thunk。它不返回一个对象,而是返回一个函数,它可以与promise共存。

http://danmaz74.me/2015/08/19/from-flux-to-redux-async-actions-the-easy-way/ [已存档here]对此进行了详细解释。从本质上讲,您可以在此处评估承诺,并在承诺结果到达减速器之前通过其他动作创建者发送。

在您的操作文件中,添加可处理成功和错误(以及任何其他)状态的其他操作创建者。

function getStuffSuccess(response) {
  return {
    type: GET_ME_STUFF_SUCCESS,
    payload: response
  }
}

function getStuffError(err) {
  return {
    type: GET_ME_STUFF_ERROR,
    payload: err
  }
}

export function getStuff() {
  return function(dispatch) {
    axios.get(SOME_URL)
      .then((response) => {
        dispatch(getStuffSuccess(response))
      })
      .catch((err) => {
        dispatch(getStuffError(err))
      })
  }
}

return null

这大致就是如何将您的伪代码转换为链接中解释的内容。这样可以直接在您的动作创建者中评估承诺,并根据行动惯例向您的减速器发出适当的操作和有效负载 - >减速机 - >国家 - >组件更新周期。我自己对React / Redux还很陌生,但我希望这会有所帮助。

答案 1 :(得分:10)

接受的答案并没有使用redux-promise。由于问题实际上是关于使用redux-promise处理错误,我提供了另一个答案。

在reducer中,你应该检查action对象上是否存在error属性:

// This is the reducer
export default function(previousState = null, action) {
  if (action.error) {
    action.type = 'HANDLE_XHR_ERROR'; // change the type
  }  
  switch(action.type) {
    ...

并更改操作的类型,触发为此设置的错误处理组件的状态更改。

你可以在github上阅读更多关于here的信息。

答案 2 :(得分:1)

看起来您可以捕获发送调度的错误,然后在发生时进行单独的错误调度。这有点像黑客但它有效。

  store.dispatch (function (dispatch) {
      dispatch ({
        type:'FOO',
        payload:axios.get(url)
      })
      .catch (function(err) {
        dispatch ({
          type:"FOO" + "_REJECTED",
          payload:err
        });
      });
  });

和减速器

const reducer = (state=initialState, action) => {
  switch (action.type) {
    case "FOO_PENDING": {
      return {...state, fetching: true};
    }
    case "FOO_REJECTED": {
      return {...state, fetching: false, error: action.payload};
    }
    case "FOO_FULFILLED": {
      return {
        ...state,
        fetching: false,
        fetched: true,
        data: action.payload,
      };
    }
  }
  return state;
};

答案 3 :(得分:1)

仍然使用redux-promises,你可以做一些这样的事情,我认为这是处理这个问题的一种优雅方式。

首先,在redux状态下设置一个属性,该属性将保存可能发生的任何ajax错误。

ajaxError: {},

其次,设置一个reducer来处理ajax错误:

export default function ajaxErrorsReducer(state = initialState.ajaxError, action) {
  if (action.error) {
    const { response } = action.payload;
    return {
      status: response.status,
      statusText: response.statusText,
      message: response.data.message,
      stack: response.data.stack,
    };
  }
  return state;
}

最后,创建一个非常简单的反应组件,如果有任何错误(我使用的是react-s-alert库来显示不错的警报),它将呈现错误:

import React, { Component } from 'react';
import { connect } from 'react-redux';
import PropTypes from 'prop-types';
import Alert from 'react-s-alert';

class AjaxErrorsHandler extends Component {

  constructor(props, context) {
    super(props, context);
    this.STATUS_GATE_WAY_TIMEOUT = 504;
    this.STATUS_SERVICE_UNAVAILABLE = 503;
  }

  componentWillReceiveProps(nextProps) {
    if (this.props.ajaxError !== nextProps.ajaxError) {
      this.showErrors(nextProps.ajaxError);
    }
  }

  showErrors(ajaxError) {
    if (!ajaxError.status) {
      return;
    }
    Alert.error(this.getErrorComponent(ajaxError), {
      position: 'top-right',
      effect: 'jelly',
      timeout: 'none',
    });
  }

  getErrorComponent(ajaxError) {
    let customMessage;
    if (
      ajaxError.status === this.STATUS_GATE_WAY_TIMEOUT ||
      ajaxError.status === this.STATUS_SERVICE_UNAVAILABLE
    ) {
      customMessage = 'The server is unavailable. It will be restored very shortly';
    }
    return (
      <div>
        <h3>{ajaxError.statusText}</h3>
        <h5>{customMessage ? customMessage : ajaxError.message}</h5>
      </div>
    );
  }

  render() {
    return (
      <div />
    );
  }

}

AjaxErrorsHandler.defaultProps = {
  ajaxError: {},
};

AjaxErrorsHandler.propTypes = {
  ajaxError: PropTypes.object.isRequired,
};

function mapStateToProps(reduxState) {
  return {
    ajaxError: reduxState.ajaxError,
  };
}

export default connect(mapStateToProps, null)(AjaxErrorsHandler);

您可以在App组件中包含此组件。

答案 4 :(得分:0)

这可能不是最好的方法,但它对我有用。我通过了这个&#39;我的组件作为var context。然后,当我得到响应时,我只执行我的组件上下文中定义的方法。在我的组件中,我有successHdl和errorHdl。从那里我可以正常触发更多的redux动作。我检查了之前的所有答案,对于这样一个微不足道的任务似乎太令人生畏了。

export function updateJob(payload, context){

    const request = axios.put(UPDATE_SOMETHING, payload).then(function (response) {
        context.successHdl(response);
    })
    .catch(function (error) {
        context.errorHdl(error);
    });;

    return {
        type: UPDATE_SOMETHING,
        payload: payload,
    }
}

答案 5 :(得分:-2)

不要使用redux-promise。它过于复杂,实际上非常简单。

请阅读redux文档:http://redux.js.org/docs/advanced/AsyncActions.html

它将让您更好地理解如何处理这种交互,并且您将学习如何自己编写(优于)redux-promise。