123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364 |
- /**
- * Module dependencies.
- */
- var http = require('http')
- , IncomingMessageExt = require('../http/request')
- , AuthenticationError = require('../errors/authenticationerror');
- /**
- * Authenticates requests.
- *
- * Applies the `name`ed strategy (or strategies) to the incoming request, in
- * order to authenticate the request. If authentication is successful, the user
- * will be logged in and populated at `req.user` and a session will be
- * established by default. If authentication fails, an unauthorized response
- * will be sent.
- *
- * Options:
- * - `session` Save login state in session, defaults to _true_
- * - `successRedirect` After successful login, redirect to given URL
- * - `successMessage` True to store success message in
- * req.session.messages, or a string to use as override
- * message for success.
- * - `successFlash` True to flash success messages or a string to use as a flash
- * message for success (overrides any from the strategy itself).
- * - `failureRedirect` After failed login, redirect to given URL
- * - `failureMessage` True to store failure message in
- * req.session.messages, or a string to use as override
- * message for failure.
- * - `failureFlash` True to flash failure messages or a string to use as a flash
- * message for failures (overrides any from the strategy itself).
- * - `assignProperty` Assign the object provided by the verify callback to given property
- *
- * An optional `callback` can be supplied to allow the application to override
- * the default manner in which authentication attempts are handled. The
- * callback has the following signature, where `user` will be set to the
- * authenticated user on a successful authentication attempt, or `false`
- * otherwise. An optional `info` argument will be passed, containing additional
- * details provided by the strategy's verify callback - this could be information about
- * a successful authentication or a challenge message for a failed authentication.
- * An optional `status` argument will be passed when authentication fails - this could
- * be a HTTP response code for a remote authentication failure or similar.
- *
- * app.get('/protected', function(req, res, next) {
- * passport.authenticate('local', function(err, user, info, status) {
- * if (err) { return next(err) }
- * if (!user) { return res.redirect('/signin') }
- * res.redirect('/account');
- * })(req, res, next);
- * });
- *
- * Note that if a callback is supplied, it becomes the application's
- * responsibility to log-in the user, establish a session, and otherwise perform
- * the desired operations.
- *
- * Examples:
- *
- * passport.authenticate('local', { successRedirect: '/', failureRedirect: '/login' });
- *
- * passport.authenticate('basic', { session: false });
- *
- * passport.authenticate('twitter');
- *
- * @param {String|Array} name
- * @param {Object} options
- * @param {Function} callback
- * @return {Function}
- * @api public
- */
- module.exports = function authenticate(passport, name, options, callback) {
- if (typeof options == 'function') {
- callback = options;
- options = {};
- }
- options = options || {};
-
- var multi = true;
-
- // Cast `name` to an array, allowing authentication to pass through a chain of
- // strategies. The first strategy to succeed, redirect, or error will halt
- // the chain. Authentication failures will proceed through each strategy in
- // series, ultimately failing if all strategies fail.
- //
- // This is typically used on API endpoints to allow clients to authenticate
- // using their preferred choice of Basic, Digest, token-based schemes, etc.
- // It is not feasible to construct a chain of multiple strategies that involve
- // redirection (for example both Facebook and Twitter), since the first one to
- // redirect will halt the chain.
- if (!Array.isArray(name)) {
- name = [ name ];
- multi = false;
- }
-
- return function authenticate(req, res, next) {
- if (http.IncomingMessage.prototype.logIn
- && http.IncomingMessage.prototype.logIn !== IncomingMessageExt.logIn) {
- require('../framework/connect').__monkeypatchNode();
- }
-
-
- // accumulator for failures from each strategy in the chain
- var failures = [];
-
- function allFailed() {
- if (callback) {
- if (!multi) {
- return callback(null, false, failures[0].challenge, failures[0].status);
- } else {
- var challenges = failures.map(function(f) { return f.challenge; });
- var statuses = failures.map(function(f) { return f.status; });
- return callback(null, false, challenges, statuses);
- }
- }
-
- // Strategies are ordered by priority. For the purpose of flashing a
- // message, the first failure will be displayed.
- var failure = failures[0] || {}
- , challenge = failure.challenge || {}
- , msg;
-
- if (options.failureFlash) {
- var flash = options.failureFlash;
- if (typeof flash == 'string') {
- flash = { type: 'error', message: flash };
- }
- flash.type = flash.type || 'error';
-
- var type = flash.type || challenge.type || 'error';
- msg = flash.message || challenge.message || challenge;
- if (typeof msg == 'string') {
- req.flash(type, msg);
- }
- }
- if (options.failureMessage) {
- msg = options.failureMessage;
- if (typeof msg == 'boolean') {
- msg = challenge.message || challenge;
- }
- if (typeof msg == 'string') {
- req.session.messages = req.session.messages || [];
- req.session.messages.push(msg);
- }
- }
- if (options.failureRedirect) {
- return res.redirect(options.failureRedirect);
- }
-
- // When failure handling is not delegated to the application, the default
- // is to respond with 401 Unauthorized. Note that the WWW-Authenticate
- // header will be set according to the strategies in use (see
- // actions#fail). If multiple strategies failed, each of their challenges
- // will be included in the response.
- var rchallenge = []
- , rstatus, status;
-
- for (var j = 0, len = failures.length; j < len; j++) {
- failure = failures[j];
- challenge = failure.challenge;
- status = failure.status;
-
- rstatus = rstatus || status;
- if (typeof challenge == 'string') {
- rchallenge.push(challenge);
- }
- }
-
- res.statusCode = rstatus || 401;
- if (res.statusCode == 401 && rchallenge.length) {
- res.setHeader('WWW-Authenticate', rchallenge);
- }
- if (options.failWithError) {
- return next(new AuthenticationError(http.STATUS_CODES[res.statusCode], rstatus));
- }
- res.end(http.STATUS_CODES[res.statusCode]);
- }
-
- (function attempt(i) {
- var layer = name[i];
- // If no more strategies exist in the chain, authentication has failed.
- if (!layer) { return allFailed(); }
-
- // Get the strategy, which will be used as prototype from which to create
- // a new instance. Action functions will then be bound to the strategy
- // within the context of the HTTP request/response pair.
- var prototype = passport._strategy(layer);
- if (!prototype) { return next(new Error('Unknown authentication strategy "' + layer + '"')); }
-
- var strategy = Object.create(prototype);
-
-
- // ----- BEGIN STRATEGY AUGMENTATION -----
- // Augment the new strategy instance with action functions. These action
- // functions are bound via closure the the request/response pair. The end
- // goal of the strategy is to invoke *one* of these action methods, in
- // order to indicate successful or failed authentication, redirect to a
- // third-party identity provider, etc.
-
- /**
- * Authenticate `user`, with optional `info`.
- *
- * Strategies should call this function to successfully authenticate a
- * user. `user` should be an object supplied by the application after it
- * has been given an opportunity to verify credentials. `info` is an
- * optional argument containing additional user information. This is
- * useful for third-party authentication strategies to pass profile
- * details.
- *
- * @param {Object} user
- * @param {Object} info
- * @api public
- */
- strategy.success = function(user, info) {
- if (callback) {
- return callback(null, user, info);
- }
-
- info = info || {};
- var msg;
-
- if (options.successFlash) {
- var flash = options.successFlash;
- if (typeof flash == 'string') {
- flash = { type: 'success', message: flash };
- }
- flash.type = flash.type || 'success';
-
- var type = flash.type || info.type || 'success';
- msg = flash.message || info.message || info;
- if (typeof msg == 'string') {
- req.flash(type, msg);
- }
- }
- if (options.successMessage) {
- msg = options.successMessage;
- if (typeof msg == 'boolean') {
- msg = info.message || info;
- }
- if (typeof msg == 'string') {
- req.session.messages = req.session.messages || [];
- req.session.messages.push(msg);
- }
- }
- if (options.assignProperty) {
- req[options.assignProperty] = user;
- return next();
- }
-
- req.logIn(user, options, function(err) {
- if (err) { return next(err); }
-
- function complete() {
- if (options.successReturnToOrRedirect) {
- var url = options.successReturnToOrRedirect;
- if (req.session && req.session.returnTo) {
- url = req.session.returnTo;
- delete req.session.returnTo;
- }
- return res.redirect(url);
- }
- if (options.successRedirect) {
- return res.redirect(options.successRedirect);
- }
- next();
- }
-
- if (options.authInfo !== false) {
- passport.transformAuthInfo(info, req, function(err, tinfo) {
- if (err) { return next(err); }
- req.authInfo = tinfo;
- complete();
- });
- } else {
- complete();
- }
- });
- };
-
- /**
- * Fail authentication, with optional `challenge` and `status`, defaulting
- * to 401.
- *
- * Strategies should call this function to fail an authentication attempt.
- *
- * @param {String} challenge
- * @param {Number} status
- * @api public
- */
- strategy.fail = function(challenge, status) {
- if (typeof challenge == 'number') {
- status = challenge;
- challenge = undefined;
- }
-
- // push this failure into the accumulator and attempt authentication
- // using the next strategy
- failures.push({ challenge: challenge, status: status });
- attempt(i + 1);
- };
-
- /**
- * Redirect to `url` with optional `status`, defaulting to 302.
- *
- * Strategies should call this function to redirect the user (via their
- * user agent) to a third-party website for authentication.
- *
- * @param {String} url
- * @param {Number} status
- * @api public
- */
- strategy.redirect = function(url, status) {
- // NOTE: Do not use `res.redirect` from Express, because it can't decide
- // what it wants.
- //
- // Express 2.x: res.redirect(url, status)
- // Express 3.x: res.redirect(status, url) -OR- res.redirect(url, status)
- // - as of 3.14.0, deprecated warnings are issued if res.redirect(url, status)
- // is used
- // Express 4.x: res.redirect(status, url)
- // - all versions (as of 4.8.7) continue to accept res.redirect(url, status)
- // but issue deprecated versions
-
- res.statusCode = status || 302;
- res.setHeader('Location', url);
- res.setHeader('Content-Length', '0');
- res.end();
- };
-
- /**
- * Pass without making a success or fail decision.
- *
- * Under most circumstances, Strategies should not need to call this
- * function. It exists primarily to allow previous authentication state
- * to be restored, for example from an HTTP session.
- *
- * @api public
- */
- strategy.pass = function() {
- next();
- };
-
- /**
- * Internal error while performing authentication.
- *
- * Strategies should call this function when an internal error occurs
- * during the process of performing authentication; for example, if the
- * user directory is not available.
- *
- * @param {Error} err
- * @api public
- */
- strategy.error = function(err) {
- if (callback) {
- return callback(err);
- }
-
- next(err);
- };
-
- // ----- END STRATEGY AUGMENTATION -----
-
- strategy.authenticate(req, options);
- })(0); // attempt
- };
- };
|