使用 axios-mock-adapter 模拟 axios 得到未定义的响应

Mock axios with axios-mock-adapter get undefined resp

我创建了一个 axios 实例...

// api/index.js

const api = axios.create({
  baseURL: '/api/',
  timeout: 2500,
  headers: { Accept: 'application/json' },
});
export default api;

还有几个模块使用它..

// api/versions.js

import api from './api';

export function getVersions() {
  return api.get('/versions');
}

我试着测试一下..

// Test
import { getVersions } from './api/versions';

const versions= [{ id: 1, desc: 'v1' }, { id: 2, desc: 'v2' }];
mockAdapter.onGet('/versions').reply(200, versions);

getVersions.then((resp) => { // resp is UNDEFINED?
  expect(resp.data).toEqual(versions);
  done();
});

为什么 resp 未定义?

这里有两件事要尝试:

  1. 也许您的代码中的其他地方已经有了这个,但一定要设置 mockAdaptor:

import axios from 'axios';
import MockAdapter from 'axios-mock-adapter';

const mockAdapter = new MockAdapter(axios);

  1. 当您正在测试的函数使用 'axios.create' 设置新的 axios 实例时,我还没有找到让模拟适配器工作的方法。改为尝试类似的方法:

// api/index.js

const api = {
  get(path) {
    return axios.get('/api' + path)
    .then((response) => {
        return response.data;
    });
  }
}
export default api;

根据 James M. 的建议,我更新了我的 api/index.js ,没有使用 axios.create...

api/index.js

import http from 'axios'

export default {

  fetchShoppingLists: () => {
    console.log('API FETCH SHOPPINGLISTS')
    return http
      .get('http://localhost:3000/shoppinglists')
      .then(response => {
        return response
      })
      .catch(error => {
        console.log('FETCH ERROR: ', error)
      })
  }
}

您不需要 axios-mock-adapter。这是我如何嘲笑我的 axios:

// src/__mocks__/axios.ts

const mockAxios = jest.genMockFromModule('axios')

// this is the key to fix the axios.create() undefined error!
mockAxios.create = jest.fn(() => mockAxios)

export default mockAxios

对于仍在为此苦苦挣扎的任何人。

您需要确保在测试机构外初始化您的 MockAdapter

即。 ❌ 不正确

it('should do a thing', () => {
    const mockAdapter = new MockAdapter(axios);
})

正确

const mockAdapter = new MockAdapter(axios);

it('should pass' () => {})