Check each node.js request for authentication credentials Check each node.js request for authentication credentials express express

Check each node.js request for authentication credentials


app.all('*',function(req,res,next){    if(req.isAuthenticated()){        next();    }else{        next(new Error(401)); // 401 Not Authorized    }});// NOTE: depending on your version of express,// you may need to use app.error here, rather// than app.use.app.use(function(err,req,res,next){    // Just basic, should be filled out to next()    // or respond on all possible code paths    if(err instanceof Error){        if(err.message === '401'){            res.render('error401');        }    }});

If you define the all route before routes which require authentication and after routes which do not (such as the home page, login, etc) then it should only affect the routes that need it. Alternatively you could use a RegExp instead of '*', which would include a subpath or list of paths that require authentication.

Another option would be to create a function to include in each route that requires auth:

function IsAuthenticated(req,res,next){    if(req.isAuthenticated()){        next();    }else{        next(new Error(401));    }}app.get('/login',function(req,res,next){    res.render('login');});app.get('/dashboard',IsAuthenticated,function(req,res,next){    res.render('dashboard');});app.get('/settings',IsAuthenticated,function(req,res,next){    res.render('settings');});


You can use sessions mechanism provided by connect. Put this code in app.configure() to enable it:

  app.use(express.cookieParser());  app.use(express.session({    secret: 'some string used for calculating hash'  }));

After that, you′ll be able to use req.session object (different for each request) to store your authentication data (or anything else). So, your example code will look something like this:

if (req.session && req.session.authorized) {  res.redirect('/dashboard');}else {  res.render('index', {layout: 'nonav'});}

And authentication will look like this:

req.session.authorized = checkPassword(login, passw);

Logout:

req.session.destroy();

More info can be found here.


Another way is to app.use a middleware function. (Example in CoffeeScript.)

# middlewareauthKick = (req, res, next) ->  if not do req.isAuthenticated then return res.redirect '/login'  return do next# applyapp.use authKick

This will work on each request without having to touch the routes.