我曾经非常成功地使用axios-mock-adapter,但最近几次我尝试使用它时,我的路由似乎从未匹配过,它仍在尝试执行一个真正的端点。
为什么这个单元测试仍然调用example.com并返回404?我本以为它会返回500。
test/libs/orgService/index.spec.js
const uuid = require('uuidv4')
const axios = require('axios')
const MockAdapter = require('axios-mock-adapter')
const mock = new MockAdapter(axios)
const { getOrgById } = require('../../../src/libs/orgService/index')
const chai = require('chai')
const chaiAsPromised = require('chai-as-promised')
chai.use(chaiAsPromised)
const expect = chai.expect
const orgServiceHost = 'https://example.com'
describe.only('#getOrgById failure', () => {
const id = uuid()
before(() => {
console.log('`${orgServiceHost}/organizations/${id}` = ', `${orgServiceHost}/organizations/${id}`)
mock.onGet(`${orgServiceHost}/organizations/${id}`).reply(500) <-- SHOULD BE RETURNING 500!!
})
after(() => {
mock.reset()
})
it('should fail to fetch an organization', () => {
return expect(getOrgById(orgServiceHost, id, tkn)).to.eventually.be.rejected
})
})src/libs/orgService/index.js
const axios = require('axios')
function getOrgById (orgServiceHost, id, token) {
log.debug('orgServiceHost = ', orgServiceHost)
log.debug('id = ', id)
log.debug('token = ', token)
return new Promise((resolve, reject) => {
if (id === undefined) {
return resolve()
}
console.log('`${orgServiceHost}/organizations/${id}` = ', `${orgServiceHost}/organizations/${id}`)
axios({
url: `${orgServiceHost}/organizations/${id}`,
method: 'GET',
headers: {
Authorization: `Bearer ${token}`,
Accept: 'application/json',
}
})
.then(res => {
return resolve(res.data)
})
.catch(err => {
log.error('getOrgById err = ', err)
return reject(err)
})
})
}
module.exports = { getOrgById }发布于 2019-02-21 02:01:20
(注:我没有足够的信用来评论,所以请将下面的答案发布为答案。)
我不确定这是否有效,但请尝试创建一个axios实例
before(() => {
instance = AxiosApi.getAxiosInstance();
mock = new MockAdapter(instance);
mock.onGet(`${orgServiceHost}/organizations/${id}`).reply(500);
})发布于 2019-02-21 03:24:09
问题是您从服务返回一个Promise。尝试如下所示:
it('should fail to fetch an organization', (done) => {
getOrgById(orgServiceHost, id, tkn)
.then(() => {
assert.fail("custom error message"); // or any other failure here
done();
}).catch((exception) => {
expect(true).toBeTruthy(); // or any other way to pass the test
done();
});
});https://stackoverflow.com/questions/54638466
复制相似问题