0

我刚刚开始尝试 Redux,我知道中间件对于进行 ajax 调用是必不可少的。我已经分别安装了 redux-thunk 和 axios 包,并尝试将我的结果作为状态挂钩并将 ajax 结果呈现给我的组件。但是,我的浏览器控制台显示错误,并且我的减速器无法获取有效负载。

错误:

未捕获的错误:操作必须是普通对象。使用自定义中间件进行异步操作。

这是我的代码的一部分以及如何连接中间件:

//after imports

const logger = createLogger({
  level: 'info',
  collapsed: true,
});

const router = routerMiddleware(hashHistory);

const enhancer = compose(
  applyMiddleware(thunk, router, logger),
  DevTools.instrument(),
  persistState(
    window.location.href.match(
      /[?&]debug_session=([^&]+)\b/
    )
  )

// store config here...

我的行动:

import axios from 'axios';

export const SAVE_SETTINGS = 'SAVE_SETTINGS';

const url = 'https://hidden.map.geturl/?with=params';
const request = axios.get(url);

export function saveSettings(form = {inputFrom: null, inputTo: null}) {
  return (dispatch) => {
    dispatch(request
      .then((response) => {
        const alternatives = response.data.alternatives;
        var routes = [];
        for (const alt of alternatives) {
          const routeName = alt.response.routeName;
          const r = alt.response.results;
          var totalTime = 0;
          var totalDistance = 0;
          var hasToll = false;
          // I have some logic to loop through r and reduce to 3 variables
          routes.push({
            totalTime: totalTime / 60,
            totalDistance: totalDistance / 1000,
            hasToll: hasToll
          });
        }
        dispatch({
          type: SAVE_SETTINGS,
          payload: { form: form, routes: routes }
        });
      })
    );
  }
}

减速器:

import { SAVE_SETTINGS } from '../actions/configure';

const initialState = { form: {configured: false, inputFrom: null, inputTo: null}, routes: [] };

export default function configure(state = initialState, action) {
  switch (action.type) {
    case SAVE_SETTINGS:
      return state;
    default:
      return state;
  }
}

您可以看到状态routes的大小为 0,但操作有效负载的数组为 3。

我最近的动作

非常感谢任何帮助,谢谢。

4

1 回答 1

4

看起来您的操作中有不必要的调度,并且您request看起来没有在正确的位置实例化。我相信你的行动应该是:

export function saveSettings(form = { inputFrom: null, inputTo: null }) {
  return (dispatch) => {
    axios.get(url).then((response) => {
      ...
      dispatch({
        type: SAVE_SETTINGS,
        payload: { form: form, routes: routes }
      });
    });
  };
}
于 2016-06-17T16:48:05.740 回答