我正在尝试在Redux应用程序中测试api调用。该代码几乎遵循redux文档的Async Action Creators部分中概述的模式:

http://redux.js.org/docs/recipes/WritingTests.html

其要点是您使用redux-mock-store记录并断言已触发的任何 Action 。

这是整个测试,使用nock模拟api调用:

import React from 'React'
import ReactDOM from 'react-dom'
import expect from 'expect';
import expectJSX from 'expect-jsx';
import TestUtils from 'react-addons-test-utils'
import configureMockStore from 'redux-mock-store'
import thunk from 'redux-thunk'
import nock from 'nock'
expect.extend(expectJSX);

import * as types from '../../constants/Actions'

describe('Async Search Actions', () => {
    const thunkMiddleware = [ thunk ];
     /* use redux-mock-store here */
    const mockStore = configureMockStore(thunkMiddleware);


    describe('The fetchArtistData action creator should', () => {

            afterEach(() => {
                nock.cleanAll()
            })

        it('Should fire off a ARTIST action when fetch is done', (done) => {
            nock('http://ws.audioscrobbler.com')
                .get('/2.0/')
                .query({method: 'artist.search', artist: 'ho', api_key: 'abc123', format: 'json', limit: 5})
                .reply(200,
                      {
                        fake: true
                      }
                   )



            const expectedActions = [
                { type: types.ARTIST, artists: {
                        fake: true
                    }
                }
            ];

            let store = mockStore([], expectedActions, done);
            store.dispatch(fetchArtist('ho'))

        });

    });

});

但是似乎真正的lastFm api是在测试运行时调用的...实际数据是从lastFm返回的,而不是假的nock响应。

这是 Action 创建者本身:
export function fetchArtist(search) {
    return dispatch => {
        return fetch(`http://ws.audioscrobbler.com/2.0/?method=artist.search&artist=${search}&api_key=abc123&format=json&limit=5`)
            .then(handleErrors)
            .then(response => response.json())
            .then(json => { dispatch(ArtistData(searchTerm, json)) })
            .catch(handleServerErrors)
    }
}

断言失败,因为实时lastFM响应与根据expectedActions对象期望的响应不同。

我尝试将nock分配给变量并将其注销。日志显示如下:

Nock似乎正在将80端口添加到url中,不确定是否导致实际的API不被模拟:
    keyedInterceptors: Object{GET http://ws.audioscrobbler.com:80/2.0/?
method=artist.search&artist=john&api_key=abc123&format=json&limit=5

有什么主意在这里吗?

最佳答案

为了使用nock,您必须在 Node 上运行测试(使用Jest或mocha),nock覆盖 Node http的行为,因此,它仅在node而不在浏览器(如PhantomJS)中起作用。
例如,您指出的链接使用的是Jest,而第一行明确显示了 Node 环境。因此,诺克将成为一种魅力。
http://redux.js.org/docs/recipes/WritingTests.html

如我所见,您可以:

  • 在 Node 环境中运行测试
  • 或使用其他库进行模拟,例如fetch-mock
  • 10-08 12:46