Middleware is executed prior to the route execution and can decide whether to execute the router according to the URL.
var router = require('express').Router();
router.use(function (req, res, next) {
var weekDay = new Date().getDay();
if (weekDay === 0) {
res.send('Web is closed on Sundays!');
} else {
next();
}
})
router.get('/', function(req, res) {
res.send('Sunday is closed!');
});
module.exports = router;
Specific middleware can also be sent to each router handler.
var closedOnSundays = function (req, res, next) {
var weekDay = new Date().getDay();
if (weekDay === 0) {
res.send('Web is closed on Sundays!');
} else {
next();
}
}
router.get('/', closedOnSundays, function(req, res) {
res.send('Web is open');
});
router.get('/open', function(req, res) {
res.send('Open all days of the week!');
});