10

在来自 Facebook 的用于 nodejs 护照身份验证的回调中,如何req在回调中获取对象?

passport.use(new FacebookStrategy({
    clientID: 123456789,
    clientSecret: 'SECRET',
    callbackURL: "http://example.com/login/facebook/callback"
  },
  function(accessToken, refreshToken, profile, done){
    // Is there any way to get the req object in here?
  }
));
4

2 回答 2

16

设置passReqToCallback选项,如下所示:

passport.use(new LocalStrategy({ passReqToCallback: true },
  function(req, username, password, done) {
    User.findOne({ username: username }, function (err, user) {
      if (err) { return done(err); }
      if (!user) { return done(null, false); }
      if (!user.verifyPassword(password)) {
        req.flash('error', 'Your password is too long');
        req.flash('error', 'Also, it is too short!!!');
        return done(null, false);
      }
      return done(null, user);
    });
  }
));

req成为验证回调的第一个参数

根据https://github.com/jaredhanson/passport/issues/39

于 2012-07-29T20:22:21.280 回答
7

我回答得太晚了,但我认为我的解决方案更好,更传统。在这里的官方文档中。有一节“验证回调中的关联”,其中提到如果我们将策略的passReqToCallback选项设置为true,这将启用req并将其作为第一个参数传递给验证回调。

所以我的FacebookStrategy现在看起来像:

var User = require('../models/UserModel.js');
var FacebookStrategy = require('passport-facebook').Strategy;

exports.facebookStrategy = new FacebookStrategy({
        clientID: 'REPLACE_IT_WITH_CLIENT_ID',
        clientSecret: 'REPLACE_IT_WITH_CLIENT_SECRET',
        callbackURL: 'http://localhost:3000/auth/facebook/callback',
        passReqToCallback: true
    },function(req,accessToken,refreshToken,profile,done){
        User.findOne({
                'facebook.id' : profile.id
            },function(err,user){
            if(err){
                done(err);
            }
            if(user){
                req.login(user,function(err){
                    if(err){
                        return next(err);
                    }
                    return done(null,user);
                });
            }else{
                var newUser = new User();
                newUser.facebook.id = profile.id;
                newUser.facebook.name = profile.displayName;
                newUser.facebook.token = profile.token;
                newUser.save(function(err){
                    if(err){
                        throw(err);
                    }
                    req.login(newUser,function(err){
                        if(err){
                            return next(err);
                        }
                        return done(null,newUser);
                    });
                });
            }
        });
    }
);

在我的代码示例中,我添加了一些逻辑来将用户信息保存在数据库中并在会话中保存用户详细信息。我认为这可能对人们有帮助。

req.user给出存储在护照会话中的用户信息。

于 2015-02-01T01:00:43.680 回答