开玩笑:即使(异步)函数正在执行,spyOn 测试也会失败

Jest: spyOn test failing even though (async) function is executing

我正在尝试监视在子模块中调用的异步函数。这是我以前做过很多次的事情,所以我无法弄清楚为什么它会失败!这是(简化的)代码:

routes.js:

const express = require('express');
const router = express.Router();
const { fetchSamples } = require('./controllers.js');

router.get('/fetch-samples', fetchSamples);

controllers.js

const { fetchSamplesFromDb } = require('./services');

exports.fetchSamples = (req, res) => {
  const data = await fetchSamplesFromDb(req.query.params);
  res.status(200).json(data);
};

services.js

exports.fetchSamplesFromDb = async params => {
  console.log('I get called!');
  const x = await xyz; // Other stuff....
};

失败的测试:

const request = require('supertest');
const app = require('../app.js'); // express web server
const services = require('../services.js');

it('responds with 200 when successful', async () => {
  const spy = jest.spyOn(services, 'fetchSample');
  const response = await request(app).get('/fetch-samples');
  expect(response.status).toBe(200); // PASSES
  expect(spy).toHaveBeenCalled(); // FAILS
});

我不明白为什么不叫间谍。我想知道是不是因为它是异步的,但我一直无法通过测试。非常感谢您的指点!

在你require被测模块之后,在模拟使用 jest.spyOn()方法之前,services模块也是需要的,并用原来的fetchSamplesFromDB方法解构。

在测试用例函数中使用jest.spyOn()方法模拟fetchSamplesFromDB方法已经晚了。您可以像这样使用服务方法:

const services = require('./services');

exports.fetchSamples = async (req, res) => {
  const data = await services.fetchSamplesFromDb(req.query.params);
  res.status(200).json(data);
};

这样,jest.spyOn(services, 'fetchSamplesFromDb')就可以了。