in the passport [configure authentication] documentation, it has a rather scary-looking function that uses the mysterious function \"done.\'
passport.use(new
No they are different in the purpose for which they are used for. Express is used as a application framework on node.js where as passport just handles the authentication part of a web application.
next() is part of connect which inturn is an express dependency. The purpose of calling next() is to trigger the next middle ware in express stack.
To understand the next()
concept in an easier way, you could look at a sample app built on express here.
as you can see in the line pointed the application uses a route level middleware to check whether the user is logged in or not.
app.get('/account', ensureAuthenticated, function(req, res){
Here ensureAuthenticated is the middleware which is defined at bottom like
function ensureAuthenticated(req, res, next) {
if (req.isAuthenticated()) { return next(); }
res.redirect('/login')
}
as you can see if the user is authenticated the function invokes next()
and passes control to the next layer in route handler written above, else it redirects to another route even without invoking the next()
done() on the other hand is used to trigger the return url handlers that we write for passport authentication. To understand more on how done works you could look at the code samples at passport here and check the section titled Custom Callback
app.get('/login', function(req, res, next) {
passport.authenticate('local', function(err, user, info) {
if (err) { return next(err); }
if (!user) { return res.redirect('/login'); }
req.logIn(user, function(err) {
if (err) { return next(err); }
return res.redirect('/users/' + user.username);
});
})(req, res, next);
});
Here the second parameter to passport.authenticate
is the definition of done()
that you are going to call from the passport strategy.
Here going through the sample codes in the two links I provided above have helped alot in understanding its behavior than the docs. I would suggest you to do the same.