Express路由中的错误处理

时间:2013-10-18 02:57:44

标签: error-handling express routes

我有一个包装RESTful API的Node模块。此客户端遵循标准的节点回调模式:

module.exports = { 
    GetCustomer = function(id, callback) { ...} 
}

我从各种Express路线呼叫这个客户端,如下:

app.get('/customer/:customerId', function(req,res) {
 MyClient.GetCustomer(customerId, function(err,data) {
   if(err === "ConnectionError") {
     res.send(503);
    }
   if(err === "Unauthorized") {
     res.send(401);
    }
    else {
     res.json(200, data);
    }
  };
};

问题在于,我认为每次调用此客户端时检查“ConnectionError”都不行。我不相信我可以拨打res.next(err),因为它会以500错误的形式发回。

我在这里缺少Node或Javascript模式吗?在C#或Java中,我会在MyClient中抛出相应的异常。

1 个答案:

答案 0 :(得分:2)

您想要创建错误处理中间件。以下是Express的示例:https://github.com/visionmedia/express/blob/master/examples/error-pages/index.js

以下是我使用的内容:

module.exports = function(app) {

  app.use(function(req, res) {
  // curl https://localhost:4000/notfound -vk
  // curl https://localhost:4000/notfound -vkH "Accept: application/json"
    res.status(404);

    if (req.accepts('html')) {
      res.render('error/404', { title:'404: Page not found', error: '404: Page not found', url: req.url });
      return;
    }

    if (req.accepts('json')) {
      res.send({ title: '404: Page not found', error: '404: Page not found', url: req.url });
    }
  });

  app.use( function(err, req, res, next) {
    // curl https://localhost:4000/error/403 -vk
    // curl https://localhost:4000/error/403 -vkH "Accept: application/json"
    var statusCode = err.status || 500;
    var statusText = '';
    var errorDetail = (process.env.NODE_ENV === 'production') ? 'Sorry about this error' : err.stack;

    switch (statusCode) {
    case 400:
      statusText = 'Bad Request';
      break;
    case 401:
      statusText = 'Unauthorized';
      break;
    case 403:
      statusText = 'Forbidden';
      break;
    case 500:
      statusText = 'Internal Server Error';
      break;
    }

    res.status(statusCode);

    if (process.env.NODE_ENV !== 'production' && process.env.NODE_ENV !== 'test') {
      console.log(errorDetail);
    }

    if (req.accepts('html')) {
      res.render('error/500', { title: statusCode + ': ' + statusText, error: errorDetail, url: req.url });
      return;
    }

    if (req.accepts('json')) {
      res.send({ title: statusCode + ': ' + statusText, error: errorDetail, url: req.url });
    }
  });
};