我正在使用护照来处理我的应用程序中的身份验证和会话。我正在使用mongostore坚持使用mongodb。
设置工作正常。但是,当我重新启动服务器时,所有用户都被注销,因此显然会话被保留在内存中而不是仅保留到mongodb。我正在尝试实现用户在重新启动服务器时仍然登录的设置。
基本配置如下
app.use(express.cookieParser('your secret here'));
app.use(express.session());
app.use(passport.initialize());
app.use(passport.session({
maxAge: new Date(Date.now() + 3600000),
store: new MongoStore(
{
db: mongodb.Db(
conf.mongodbName,
new mongodb.Server(
'localhost',
27017,
{
auto_reconnect: true,
native_parser: true
}
),
{
journal: true
}
)
},
function(error) {
if(error) {
return console.error('Failed connecting mongostore for storing session data. %s', error.stack);
}
return console.log('Connected mongostore for storing session data');
}
)
}));
passport.use(new LocalStrategy(
{
usernameField: 'email',
passwordField: 'password'
},
function(email, password, done) {
console.log('user %s attempting to authenticated', email);
return User.findOne({email:email}, function(error, user) {
if(error) {
console.error('Failed saving user %s. %s', user.id, error.stack);
return done(error);
}
if(!user) {
return done(null, false);
}
console.log('user %s logged in successfully', user.id);
return done(null, { //passed to callback of passport.serializeUser
id : user.id
});
});
}
));
passport.serializeUser(function(user, done) {
return done(null, user.id); //this is the 'user' property saved in req.session.passport.user
});
passport.deserializeUser(function (id, done) {
return User.findOne({ id: id }, function (error, user) {
return done(error, user);
});
});
我创建了一个包含代码here
的准系统github repo只需使用您的mongodb凭据在根目录中创建conf.js文件,即mongodbURL和mongodbName,运行npm install和node app.js即可开始使用。
感谢
答案 0 :(得分:29)
passport.session()
不进行任何配置,从Express版本4.X开始,您需要配置session()
:
app.use(session({
cookie : {
maxAge: 3600000 // see below
},
store : new MongoStore(...)
});
...
app.use(passport.session());
此外,maxAge
(应该是cookie
的属性)不会采用Date
参数,而只是会话应该有效的毫秒数。
有关使用快速中间件模块会话的说明,您可以找到更多here。