I have a NodeJS application with Express as framework. In my app.js file I'm checking my connection to mysql database as below:
var express = require('express');
var path = require('path');
var favicon = require('serve-favicon');
var logger = require('morgan');
var cookieParser = require('cookie-parser');
var bodyParser = require('body-parser');
var mysql = require('mysql');
var connection = mysql.createConnection({
host : 'localhost',
user : 'root',
password : '',
database : 'nodejs'
});
var routes = require('./routes/index');
var app = express();
// view engine setup
app.set('views', path.join(__dirname, 'views'));
app.set('view engine', 'ejs');
// uncomment after placing your favicon in /public
//app.use(favicon(path.join(__dirname, 'public', 'favicon.ico')));
app.use(logger('dev'));
app.use(bodyParser.json());
app.use(bodyParser.urlencoded({ extended: false }));
app.use(cookieParser());
app.use(express.static(path.join(__dirname, 'public')));
app.use('/', routes);
// catch Database connection errors and forward to error handler
app.use(function(req, res, next) {
connection.connect(function(err){
if(err){
var err = new Error('Database connection error! Try later please.');
err.status = 503;
next(err);
}
});
});
// catch 404 and forward to error handler
app.use(function(req, res, next) {
var err = new Error('Not Found');
err.status = 404;
next(err);
});
// error handlers
// 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: {}
});
});
module.exports = app;
The part of the code that I'm expecting to work is this :
// catch Database connection errors and forward to error handler
app.use(function(req, res, next) {
connection.connect(function(err){
if(err){
var err = new Error('Database connection error! Try later please.');
err.status = 503;
next(err);
}
});
});
routes/index.js
var express = require('express');
var router = express.Router();
/* GET home page. */
router.get('/', function(req, res, next) {
res.render('index');
});
module.exports = router;
When I run my server with a wrong password, nothing happenes the page is served, here is my log:
GET / 304 17.940 ms - -
GET /vendors/bootstrap/dist/css/bootstrap.min.css 304 2.915 ms - -
Any help how to display an error page when a DB error (connection or bad query) occures?
Thanks
Thanks