1

我使用来自axios-mock-adapter. 但是,我试图断言 get 函数已被有效调用,因此我创建了一个间谍。由于某种原因,它似乎不起作用,我得到:

expect(jest.fn()).toHaveBeenCalled()

Expected number of calls: >= 1
Received number of calls:    0

这是我的测试:

it('gets publications', async() => {

    let spy = jest.spyOn(axios, "get");
    var mock = new MockAdapter(axios);
    mock.onGet(PUBLICATIONS_PATH + '/publications').reply(200, 
        {
            answer: {
                publications: [ "pub1", "pub2", "pub3" ]
            }
        });

    let queryParameters = {
        operation: 'FSale'
    }


    const publications = await PublicationService.getPublications(queryParameters);

    expect(publications.data.answer.publications).toEqual([ "pub1", "pub2", "pub3" ]); // works fine
    expect(spy).toHaveBeenCalled(); //This fails
})

我实际上是在尝试使用此处回答的方法。

更新:这是 getPublications 的代码

async function _getPublications(queryParameters){
  return await axios({
      method: 'get',
      url: `${PUBLICATIONS_PATH}/publications`,
      cancelToken: CancelTokenService.getSource().token,
      params: queryParameters,
      headers: {
        authorization: LocalStorageService.getAuthorization(),
        'Accept': ResourcesVersions.PUBLICATION
      }
  }).then(function (response){ return response }).catch(function (error){ return (axios.isCancel(error) ? error : error.response) })

}

4

3 回答 3

1

在您提供的测试代码中,您正在监视 axiosget方法,但在该getPublications方法中您没有调用该方法。相反,您axios直接调用该方法。

由于窥探axios默认方法并不容易,我建议更改代码getPublications以使用该get方法:

async function _getPublications(queryParameters){
  return await axios.get(`${PUBLICATIONS_PATH}/publications`, {
      cancelToken: CancelTokenService.getSource().token,
      params: queryParameters,
      headers: {
        authorization: LocalStorageService.getAuthorization(),
        'Accept': ResourcesVersions.PUBLICATION
      }
  }).then(function (response){ return response }).catch(function (error){ return (axios.isCancel(error) ? error : error.response) })
}
于 2020-01-31T19:00:18.843 回答
0

我不习惯jest.spy在我的测试中使用,但我认为您可以尝试以下方法:

import axios from 'axios';

jest.mock('axios');
...

it('gets publications', async() => {

    const get = axios.get.mockResolvedValueOnce(yourMockedData)

    let queryParameters = {
        operation: 'FSale'
    }


    const publications = await PublicationService.getPublications(queryParameters);

    expect(publications.data.answer.publications).toEqual([ "pub1", "pub2", "pub3" ]); // works fine
    expect(get).toHaveBeenCalled(); //This fails
})
于 2020-01-28T20:40:02.703 回答
0

您可以使用https://github.com/ctimmerm/axios-mock-adapter#history功能来检查已经进行了哪些实际调用,并对 URL、标头、方法和其他内容进行断言。

于 2021-08-26T09:46:30.197 回答