我的测试正在正确通过,但我一直收到一个未处理的PromiseerEjectionWarning。 有什么办法可以解决这个问题吗? 我试过许多办法,但似乎没有一个管用。
node:32535) UnhandledPromiseRejectionWarning: Error: expect(received).toMatchObject(expected)
Matcher error: received value must be a non-null object
Received has value: undefined (node:32535) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). To terminate the node process on unhandled promise rejection, use the CLI flag `--unhandled-rejections=strict` (see https://nodejs.org/api/cli.html#cli_unhandled_rejections_mode). (rejection id: 1)
(node:32535) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code.
我的测试文件如下:
jest.mock("./http");
const { fetchAllUsersData } = require("./http");
test("Data returned from server should be a list of users ", async () => {
fetchAllUsersData()
.catch((errorMessage) => expect(errorMessage).toThrowError(Error))
.then((usersRetrieved) => {
let users = usersRetrieved[0];
let userModel = {
id: 1,
first_name: "Peggy",
last_name: "Poppins",
email: "mpoppins0@squidoo.com",
ip_address: "192.54.212.191",
latitude: 34.003135,
longitude: -117.7228641222,
};
expect(users).toMatchObject(userModel);
});
});
这是我在模拟文件夹中的文件:
const fetchAllUsersData = () => {
return Promise.resolve({
data: [
{
id: 1,
first_name: "Merry",
last_name: "Poppins",
email: "mpoppins0@squidoo.com",
ip_address: "192.54.212.191",
latitude: 34.003135,
longitude: -117.7228641,
},
{
id: 15,
first_name: "George",
last_name: "Foreman",
email: "gforeman@clear.com",
ip_address: "12.564.124.521",
latitude: 23.592254,
longitude: 125.454227,
},
],
});
};
exports.fetchAllUsersData = fetchAllUsersData;
出现此错误的原因是没有将一个承诺链接到从测试中返回。 浮动承诺是一种反模式。 async.。await
允许以比原始承诺更少的规则来实现这一点。 将原始承诺与async
一起使用通常没有意义。 另外,在同一个测试中同时测试成功和失败的请求是没有意义的,预期的响应应该是预先确定的。
只有当errorMessage
是同步抛出错误的函数时,Expect(errorMessage).ToThrowError(Error)
才会工作。 如果FetChallUsersData
拒绝ErrorMessage
对象,则无法按预期工作。
它很可能应该在一个测试中:
test("...", async () => {
const usersRetrieved = await fetchAllUsersData();
...
expect(users).toMatchObject(userModel);
});
在另一个测试中:
test("...", async () => {
await expect(fetchAllUsersData()).rejects.toThrowError(Error);
});
另外,如果您测试__mock__
中提供的您自己的测试代码,那么测试就没有很好的用途。 他们应该测试生产代码。