Mocha/Chai 无法从函数中捕获错误对象
Mocha/Chai unable to catch error object from a function
我在测试方面相当陌生 javascript 并尝试进行测试,我可以在其中捕获函数抛出的错误并在测试中捕获它。然而,经过多次尝试,我最终在这里询问我应该如何在 expect 中捕获错误对象。我指的是这个 Q/A.
这是我的代码:
export const createCourse = async (courseData: ICourse, userId: string) => {
logInfo('Verifying if user is a volunteer');
const volunteer: Volunteer | null = await getVolunteer(userId);
if (volunteer == null) {
logError('User must be a volunteer');
throw new Error('User must be a volunteer');
}
// do some stuff
};
这是我在测试文件中写的内容:
describe.only('Try creating courses', function () {
before(async function () {
user_notVolunteer = await addUser(UserNotVolunteer);
});
after(async function () {
await deleteUser(UserNotVolunteer.email);
});
it('Creating a course when user is not volunteer', async function () {
course = await createCourse(test_course, user_notVolunteer.id);
expect(course).to.throws(Error,'User must be a volunteer');
});
});
这里我尝试匹配错误的类型以及错误的字符串,但没有通过它。
我也尝试了更多这样的代码,
expect(function () {
course;
}).to.throw(Error, 'User must be a volunteer');
问题是,您正在尝试测试异步函数是否抛出错误。异步函数只是普通函数,在内部转换为 promise。承诺不会抛出,但会拒绝。您必须在异步父函数中使用 .catch()
或 catch() {}
来处理它们的错误。
在 Chai 中处理这个问题的一种方法是使用 chai-as-promised 库,它是 Chai 的一个插件,可以处理基于 Promise 的检查。
这是您应该做的一个例子:
const course = createCourse(test_course, user_notVolunteer.id);
await expect(course).to.eventually.be.rejectedWith("User must be a volunteer");
我在测试方面相当陌生 javascript 并尝试进行测试,我可以在其中捕获函数抛出的错误并在测试中捕获它。然而,经过多次尝试,我最终在这里询问我应该如何在 expect 中捕获错误对象。我指的是这个 Q/A.
这是我的代码:
export const createCourse = async (courseData: ICourse, userId: string) => {
logInfo('Verifying if user is a volunteer');
const volunteer: Volunteer | null = await getVolunteer(userId);
if (volunteer == null) {
logError('User must be a volunteer');
throw new Error('User must be a volunteer');
}
// do some stuff
};
这是我在测试文件中写的内容:
describe.only('Try creating courses', function () {
before(async function () {
user_notVolunteer = await addUser(UserNotVolunteer);
});
after(async function () {
await deleteUser(UserNotVolunteer.email);
});
it('Creating a course when user is not volunteer', async function () {
course = await createCourse(test_course, user_notVolunteer.id);
expect(course).to.throws(Error,'User must be a volunteer');
});
});
这里我尝试匹配错误的类型以及错误的字符串,但没有通过它。
我也尝试了更多这样的代码,
expect(function () {
course;
}).to.throw(Error, 'User must be a volunteer');
问题是,您正在尝试测试异步函数是否抛出错误。异步函数只是普通函数,在内部转换为 promise。承诺不会抛出,但会拒绝。您必须在异步父函数中使用 .catch()
或 catch() {}
来处理它们的错误。
在 Chai 中处理这个问题的一种方法是使用 chai-as-promised 库,它是 Chai 的一个插件,可以处理基于 Promise 的检查。
这是您应该做的一个例子:
const course = createCourse(test_course, user_notVolunteer.id);
await expect(course).to.eventually.be.rejectedWith("User must be a volunteer");