如何处理 Node.js expressjs 中异步对象方法中未处理的承诺拒绝?

How to Handle Unhandled promise rejection in async object method in Node.js expressjs?

我正在使用对象内部的异步函数在 express.js

中发送响应

控制器代码:

module.exports = {

    async signUpEmail(req, res) {

        /**
         * @description Parameters from body
         * @param {string} firstName - First Name
         * @inner
         */  

        const firstName = req.body.firstName;

        res.send({ success: name });
        throw new Error(); // purposely Done
    }
}

问题:

因为 signUpEmail 方法在我的例子中是异步的,无论我的异步方法抛出什么,它都会被拒绝,所以它出现了 Error。(故意放在那里)

因此将其记录在控制台中。

(node:13537) UnhandledPromiseRejectionWarning: Unhandled promise rejection (rejection id: 1): Error
(node:13537) 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.

所以我应该从调用它的路由中处理它。

路由器代码

    const routes = require('express').Router();
const SignUpController = require('../controllers/signUpController')

// /signup
routes.post('/', SignUpController.signUpEmail);

module.exports = routes;

有些像这样 SignUpController.signUpEmail().then(…); 但是因为我没有在路由中调用函数,所以我只是路过。 如何有效地做到这一点 ?

PS:请不要提出太复杂的解决方案。我是 JS 初学者,正在学习。

我没有使用可链接的路由处理程序,因为我想创建模块化的、可安装的路由处理程序。

Official Doc Example

在你的路由中,你需要添加一个包装器来捕获抛出的错误:

let wrapper = fn => (...args) => fn(...args).catch(args[2]);

// /signup
routes.post('/', wrapper(SignUpController.signUpEmail));

使用此方法,您可以使用顶级错误捕获器,而不需要在您的路由中使用内部 try catch 块,除非您根据上下文需要它们。

使用错误捕获中间件实现如下:

// last middleware in chain

app.use(function(err, req, res, next) {
    // handle your errors
});

现在您可以在您的路由中抛出错误,它们将被该中间件捕获。我喜欢在这个中间件中抛出自定义错误并处理它们的响应和日志记录。

旁白:async await 模式非常适合编写易于人们以同步方式阅读的异步代码。请记住,一旦你开始异步,你就应该保持异步!强烈建议使用 Bluebird 等 promisification 库并在 nodeback 库上调用 .promisifyAll

编辑:Source - Asynchronous Error Handling in Express with Promises, Generators and ES7