如果用 try catch 包装异步函数,即使断言失败,mocha 测试也会通过
mocha test passes even when assertion fail if async function wrapped with try catch
没有 try catch 块,当出现断言错误时,测试正常失败
describe("POST /foo", function () {
it('should create a foo', async function () {
const response = await request.post("/foo").send(data);
expect(response.status).to.eql(200); //Assertion error
}).timeout(10000);
})
//+ expected - actual -500 + 200 1 failing
但是,如果我用 try/catch 块
包装它,测试就会通过
describe("POST /foo", function () {
it('should create a foo', async function () {
try {
const response = await request.post("/foo").send(data);
expect(response.status).to.eql(200); //Assertion error
} catch (err) {
}
})
})
//1 passing
断言库(如 chai)具有 expect
和 assert
等函数,当它们检查的条件失败时会抛出异常。测试运行器(在本例中为 mocha)可以使用此事实通过在 try/catch 块中执行测试用例来检测测试失败。如果测试用例(即断言库)抛出异常,则认为测试失败。
例如,如果您查看 mocha's documentation,您会看到:
Mocha allows you to use any assertion library you wish...generally,
if it throws an Error, it will work!
所以在伪代码中,mocha 正在做类似的事情:
function testRunner() {
try {
testCase('should create a foo'); // run a test case defined by the user
} catch (e) {
console.log('The test has failed');
return;
}
console.log('The test has succeeded.');
}
如果您将测试用例中的所有代码包装在一个 try/catch 块中,就像在您的第二个示例中一样,您将阻止 mocha 看到断言库的 expect
语句引发的异常。 (您定义的 catch 块正在“吞噬”异常)。 mocha 看到没有异常,假设没有问题,测试标记为通过。
没有 try catch 块,当出现断言错误时,测试正常失败
describe("POST /foo", function () {
it('should create a foo', async function () {
const response = await request.post("/foo").send(data);
expect(response.status).to.eql(200); //Assertion error
}).timeout(10000);
})
//+ expected - actual -500 + 200 1 failing
但是,如果我用 try/catch 块
包装它,测试就会通过describe("POST /foo", function () {
it('should create a foo', async function () {
try {
const response = await request.post("/foo").send(data);
expect(response.status).to.eql(200); //Assertion error
} catch (err) {
}
})
})
//1 passing
断言库(如 chai)具有 expect
和 assert
等函数,当它们检查的条件失败时会抛出异常。测试运行器(在本例中为 mocha)可以使用此事实通过在 try/catch 块中执行测试用例来检测测试失败。如果测试用例(即断言库)抛出异常,则认为测试失败。
例如,如果您查看 mocha's documentation,您会看到:
Mocha allows you to use any assertion library you wish...generally, if it throws an Error, it will work!
所以在伪代码中,mocha 正在做类似的事情:
function testRunner() {
try {
testCase('should create a foo'); // run a test case defined by the user
} catch (e) {
console.log('The test has failed');
return;
}
console.log('The test has succeeded.');
}
如果您将测试用例中的所有代码包装在一个 try/catch 块中,就像在您的第二个示例中一样,您将阻止 mocha 看到断言库的 expect
语句引发的异常。 (您定义的 catch 块正在“吞噬”异常)。 mocha 看到没有异常,假设没有问题,测试标记为通过。