在测试中模拟对外部服务的 axios 请求

Mock an axios request to external service in test

我正在尝试从 NodeJS Express 模拟对外部服务的调用。我无法让 axios-mock-adapter 拦截实际的 axios 调用 (http://api.openweathermap.org) 和 return 模拟响应。断言完成后失败,因为值不同。通话中的温度是实际的室外温度,而不是模拟温度。不知道我是完全偏离了,还是接近了我看不到的解决方案。 JavaScript 和 NodeJS 的新手。

拜托 Whosebug,你是我唯一的帮助。

这是我的代码:

要测试的文件:

WeatherTools.prototype.getWeather = new Promise(function(resolve, reject) {

    axios.get(config.weather.openWeatherLocationURL, {
        params: {
            id: config.weather.openWeatherMapLocation,
            APPID: config.weather.openWeatherMapApiKey,
            units: config.weather.openWeatherUnit
        }
    }
    ).then(function(axiosResponse) {
        resolve(axiosResponse.data);
    }).catch(function(axiosError) {
        reject(axiosError);
    });
});

测试文件:

const assert = require('assert');
const weatherTool = require('./weatertools');
const axios = require('axios');

let MockAdapter = require('axios-mock-adapter');
const TestData = require('./testData.js');

let mock = new MockAdapter(axios);

describe("Testing weather tools", () => {

    beforeEach(function() {
        mock
            .onGet(config.weather.openWeatherLocationURL, {
                params: {
                    id: config.weather.openWeatherMapLocation,
                    APPID: config.weather.openWeatherMapApiKey,
                    units: config.weather.openWeatherUnit
                }
            }).reply(200, TestData.location().mockedResponseData);
    });
    it('given a correct call to openWeather a valid response should be returned xxx', function(done) {

        weatherTool.WeatherTools.getWeather.then(function(actual) {
            assert.strictEqual(actual.temp.currentTemp, TestData.location().expected.temp.currentTemp);
            done();
        })
    });
});

配置文件:

config.weather.openWeatherMapApiKey = 'theSecretApiKeyOfMine';
config.weather.openWeatherMapLocation = '1234567';
config.weather.openWeatherUnit = 'metric';
config.weather.openWeatherLocationURL = 'http://api.openweathermap.org/data/2.5/weather';

问题出在测试代码中。预计 getWeather 成员是一种获取天气的方法,而它是 promise 属性。它没有天气,它实际上是天气。因为它是 prototype 属性,它急切地执行对 class 定义的请求,即一旦 class 被导入。这也意味着将来无法更新数据,即使需要这样做也是如此。

由于请求是急切执行的,所以不会受到axios mock的影响。

getWeather 也使用了 promise 构造反模式; axios 已经 returns 一个承诺,没有必要用 new Promise 构建另一个承诺。

应该是:

WeatherTools.prototype.getWeather = () => {
    return axios.get(config.weather.openWeatherLocationURL, {
        params: {
            id: config.weather.openWeatherMapLocation,
            APPID: config.weather.openWeatherMapApiKey,
            units: config.weather.openWeatherUnit
        }
    }
    ).then(function(axiosResponse) {
        return axiosResponse.data;
    });
});

因此可以像 weatherToolsInstance.getWeather().then(...) 一样获取它。预计它会在这样使用时被 axios-mock-adapter 嘲笑。