使用jest测试回调函数

tcomlyy6  于 2023-01-28  发布在  Jest
关注(0)|答案(2)|浏览(243)

我试图测试一个内部有回调的函数。我设置了一个模拟函数,但是我也需要测试回调。
我曾试图将它作为另一个模拟函数来分离,但它不算被覆盖。
我要测试的函数:

export const checkDescription = async page => {
    const metaDescription = await page.$eval(
      'meta[name="description"]',
      description => description.getAttribute("content")
    );
    return metaDescription;
};

我已经嘲笑了页面函数:

const page = {
  $eval: jest.fn(() => "Value")
};

我的测试:

test("Should return description", async () => {
  expect(await checkDescription(page)).toBe("Value"); 
  expect(page.$eval).toHaveBeenCalled();
});

我试着分开描述:

const description = {
  getAttribute: jest.fn(() => "Value")
};

但我不认为这是在$eval中包含描述的正确方法。

wlzqhblo

wlzqhblo1#

你很接近了!
description arrow函数被传递给page.$eval mock函数,以便使用mockFn.mock.calls检索它。
一旦检索到它,就可以直接调用它进行测试并获得完整的代码覆盖率:

test("Should return description", async () => {
  expect(await checkDescription(page)).toBe("Value");  // Success!
  expect(page.$eval).toHaveBeenCalled();  // Success!

  const description = page.$eval.mock.calls[0][1];  // <= get the description arrow function
  const getAttributeMock = jest.fn(() => 'mock content');
  expect(description({ getAttribute: getAttributeMock })).toBe('mock content');  // Success!
  expect(getAttributeMock).toHaveBeenCalledWith('content');  // Success!
  // Success!  checkDescription now has full code coverage
});
xggvc2p6

xggvc2p62#

我通过回调从串行端口接收异步消息。请尝试阅读此处:https://jest-bot.github.io/jest/docs/asynchronous.html

import { InpassTerminal } from "../src/main.js"

jest.setTimeout(45000);
describe('Basic tests', () => {
test('1. Host connection', async (done) => {     
    await new Promise( resolve => setTimeout(resolve, 500) ); 

    const commandTest = {actionCode: '12345', terminalId: '1019****'}

    function cb (data) { 
      if (data.operationCode == 12345) {
        const actualStatus = Buffer.from(data.status, "ascii")          
        const expectedStatus = '1'

        expect(actualStatus.toString()).toBe(expectedStatus)      
        done()
      }
    }  
    const terminal = new InpasTerminal()
    terminal.exec('/dev/ttyPos0', commandTest, cb)
})

相关问题