8

我正在创建一个中间件,用于使用异步操作发出 ajax 请求。中间件拦截原始动作,执行 ajax 请求,并将dispatch原始动作与来自url.

所以,我的组件只是dispatch这样的动作

onClick() {
    dispatch(ActionCreator.fetchUser());
}

中间件将负责休息,如下所示

我的问题是,我应该为单元测试做什么?我应该嘲笑onClick自己吗?或者我应该编写一个模拟中间件并使用模拟响应转发操作?

我不确定我应该采取哪种方法。我尝试了一些东西,但我尝试的东西对我来说都没有意义。

任何指针?

4

2 回答 2

26

注意:下面的答案略有过时。

此处描述了一种更简单的更新方法。
不过,你仍然可以用另一种方式来做。


我们现在在官方文档中有一个关于测试异步动作创建者的部分。

对于使用Redux Thunk或其他中间件的异步操作创建者,最好完全模拟 Redux 存储以进行测试。您仍然可以使用applyMiddleware()模拟商店,如下所示。你也可以使用nock来模拟 HTTP 请求。

function fetchTodosRequest() {
  return {
    type: ADD_TODOS_REQUEST
  };
}

function fetchTodosSuccess(body) {
  return {
    type: ADD_TODOS_SUCCESS,
    body
  };
}

function fetchTodosFailure(ex) {
  return {
    type: ADD_TODOS_FAILURE,
    ex
  };
}

export function fetchTodos(data) {
  return dispatch => {
    dispatch(fetchTodosRequest());
    return fetch('http://example.com/todos')
      .then(res => res.json())
      .then(json => dispatch(addTodosSuccess(json.body)))
      .catch(ex => dispatch(addTodosFailure(ex)));
  };
}

可以像这样测试:

import expect from 'expect';
import { applyMiddleware } from 'redux';
import thunk from 'redux-thunk';
import * as actions from '../../actions/counter';
import * as types from '../../constants/ActionTypes';
import nock from 'nock';

const middlewares = [thunk];

/**
 * Creates a mock of Redux store with middleware.
 */
function mockStore(getState, expectedActions, onLastAction) {
  if (!Array.isArray(expectedActions)) {
    throw new Error('expectedActions should be an array of expected actions.');
  }
  if (typeof onLastAction !== 'undefined' && typeof onLastAction !== 'function') {
    throw new Error('onLastAction should either be undefined or function.');
  }

  function mockStoreWithoutMiddleware() {
    return {
      getState() {
        return typeof getState === 'function' ?
          getState() :
          getState;
      },

      dispatch(action) {
        const expectedAction = expectedActions.shift();
        expect(action).toEqual(expectedAction);
        if (onLastAction && !expectedActions.length) {
          onLastAction();
        }
        return action;
      }
    }
  }

  const mockStoreWithMiddleware = applyMiddleware(
    ...middlewares
  )(mockStoreWithoutMiddleware);

  return mockStoreWithMiddleware();
}

describe('async actions', () => {
  afterEach(() => {
    nock.cleanAll();
  });

  it('creates FETCH_TODO_SUCCESS when fetching todos has been done', (done) => {
    nock('http://example.com/')
      .get('/todos')
      .reply(200, { todos: ['do something'] });

    const expectedActions = [
      { type: types.FETCH_TODO_REQUEST },
      { type: types.FETCH_TODO_SUCCESS, body: { todos: ['do something']  } }
    ]
    const store = mockStore({ todos: [] }, expectedActions, done);
    store.dispatch(actions.fetchTodos());
  });
});
于 2015-10-10T11:28:20.260 回答
2

事实证明,我不需要模拟任何存储方法或任何东西。它就像模拟 ajax 请求一样简单。我正在使用superagent,所以我做了这样的事情

const mockResponse = {
    body: {
        data: 'something'
    }
};

spyOn(superagent.Request.prototype, 'end').and.callFake((cb) => {
    cb(null, mockResponse); // callback with mocked response
});

// and expect it to be called
expect(superagent.Request.prototype.end).toHaveBeenCalled();
于 2015-10-08T11:34:18.793 回答