我有一个node.js + Express + express-handlebars应用程序。我想在用户转到不存在的页面时将用户重定向到404页面,并在出现内部服务器错误或异常时(不停止服务器)将用户重定向到500页面。在我的app.js中,我在最后编写了中间件来执行这些任务。
app.get('*', function(req, res, next) {
var err = new Error();
err.status = 404;
next();
});
//Handle 404
app.use(function(err, req, res, next){
res.sendStatus(404);
res.render('404');
return;
});
//Handle 500
app.use(function(err, req, res, next){
res.sendStatus(500);
res.render('500');
});
//send the user to 500 page without shutting down the server
process.on('uncaughtException', function (err) {
console.log('-------------------------- Caught exception: ' + err);
app.use(function(err, req, res, next){
res.render('500');
});
});
但是只有404的代码才有效。所以如果我试着去一个网址
localhost:8000/fakepage
它成功地将我重定向到我的404页面。 505不起作用。对于异常处理,服务器确实继续运行但是,它不会将我重定向到console.log之后的500错误页面
我很困惑网上有这么多解决方案,人们似乎为此实施了不同的技术。
以下是我查看的一些资源
http://www.hacksparrow.com/express-js-custom-error-pages-404-and-500.html
Correct way to handle 404 and 500 errors in express
How to redirect 404 errors to a page in ExpressJS?
https://github.com/expressjs/express/blob/master/examples/error-pages/index.js
答案 0 :(得分:4)
关于uncaughtexception的过程是针对应用程序进程的 - 而不是每个请求错误处理程序。注意它在回调中需要一个错误,并且不传递res。它是一个全局应用程序异常处理程序。如果您的全局代码抛出,那就很好。
一个选项是您可以拥有所有正常路线(在您的示例中没有看到),然后是404的非错误处理程序最终路线。这始终是最后一条路线,意味着它已经通过所有其他路线未找到一场比赛......因此没有找到。这不是一个例外处理案例 - 你最终知道他们要求的路径没有匹配,因为它已经落空。
How to redirect 404 errors to a page in ExpressJS?
然后错误路线可以返回500
http://expressjs.com/en/guide/error-handling.html
问题是你有两条错误路线,所以总是碰到硬编码返回404的第一条错误路线。
express 4工具创建了这种模式:
var users = require('./routes/users');
// here's the normal routes. Matches in order
app.use('/', routes);
app.use('/users', users);
// catch 404 and forward to error handler
// note this is after all good routes and is not an error handler
// to get a 404, it has to fall through to this route - no error involved
app.use(function(req, res, next) {
var err = new Error('Not Found');
err.status = 404;
next(err);
});
// error handlers - these take err object.
// these are per request error handlers. They have two so in dev
// you get a full stack trace. In prod, first is never setup
// development error handler
// will print stacktrace
if (app.get('env') === 'development') {
app.use(function(err, req, res, next) {
res.status(err.status || 500);
res.render('error', {
message: err.message,
error: err
});
});
}
// production error handler
// no stacktraces leaked to user
app.use(function(err, req, res, next) {
res.status(err.status || 500);
res.render('error', {
message: err.message,
error: {}
});
});