2

在我的模块中编写 Node CLI 我有一个console.logwith chalk,例如:

console.log(
  chalk.green(`${delta}:`),
  chalk.white(`\nAPI: ${apiPath}`),
)

当我运行 Jest 代码覆盖率时--coverage,我被提醒我没有测试,所以我写道:

test(`Test console log`, async () => {
  await mod(params)
  await expect(console.log).toBe(`${delta}:\nAPI: ${apiPath}`)
})

但我得到一个错误:

Expected: "string"
Received: [Function log]

我尝试的研究的第二次尝试:

test(`Test console log`, async () => {
  await mod(params)
  await expect(console.log).toHaveBeenCalledWith(`${delta}:\nAPI: ${apiPath}`)
})

但我得到一个错误:

Received has type:  function
Received has value: [Function log]

研究:

使用 Jest 如何测试console.log使用粉笔的?

4

1 回答 1

2
// newTest.js

const chalk = require('chalk');

function functionUnderTest() {
  console.log(chalk.green(`${delta}:`), chalk.white(`\nAPI: ${apiPath}`));
}

module.exports = functionUnderTest;


// newTest.test.js

const functionUnderTest = require('./newTest');
const chalk = require('chalk');

jest.mock('chalk', () => ({
  green: jest.fn(),
  white: jest.fn(),
}));

it('calls console.log and chalk.blue with correct arguments', () => {
  const spy = jest.spyOn(global.console, 'log');
  chalk.green.mockReturnValueOnce('test-blue');
  chalk.white.mockReturnValueOnce('test-white');

  functionUnderTest(5, 'my-path');

  expect(chalk.green).toHaveBeenCalledWith('5:');
  expect(chalk.white).toHaveBeenCalledWith('\nAPI: my-path');
  expect(global.console.log).toHaveBeenCalledWith('test-blue', 'test-white');

  spy.mockRestore();
});

要访问全局对象,您必须使用全局上下文(开玩笑:当第三方库使用控制台时如何模拟控制台?)。您可以通过监视全局对象log的方法来做到这一点。console

关于测试本身的重要部分是需要模拟 2 个依赖项,console.log(在 spy 中完成)和chalk(我正在使用的jest.mock)我说它有一个名为的green属性一个模拟函数(和white)。这里应该测试的是console.log打印chalk.green调用返回的内容。因此分配了一个虚拟字符串作为chalk.green调用 ( test-result) 的结果,并断言console.log使用相同的字符串调用。white模拟函数也是如此。

于 2021-07-24T22:02:56.010 回答