2017-08-19 117 views
0

我創建了一個簡單的網站,用戶必須在其中註冊並訂閱一些已激活的挑戰。我正在使用護照進行註冊和登錄表單,並將用戶電子郵件和密碼保存到我的數據庫中。問題是當我嘗試在另一個頁面中使用用戶電子郵件時。 一旦用戶完成登錄,我的應用程序將他重定向到配置文件頁面,然後我可以從數據庫中檢索數據,但是當我嘗試在另一個頁面中使用數據時,我不能。 有人知道如何解決這個問題?如何從貓鼬中檢索數據並在每個頁面中使用它

我的護照文件

passport.use('local-login', new LocalStrategy({ 
    // by default, local strategy uses username and password, we will   override with email 
    usernameField : 'email', 
    passwordField : 'password', 
    passReqToCallback : true // allows us to pass back the entire request to the callback 
}, 
    function(req, email, password, done) { // callback with email and password from our form 

     // find a user whose email is the same as the forms email 
     // we are checking to see if the user trying to login already exists 
     User.findOne({ 'local.email' : email }, function(err, user) { 
      // if there are any errors, return the error before anything else 
      if (err) 
       return done(err); 

      // if no user is found, return the message 
      if (!user) 
       return done(null, false, req.flash('loginMessage', 'No user found.')); // req.flash is the way to set flashdata using connect-flash 

      // if the user is found but the password is wrong 
      if (!user.validPassword(password)) 
       return done(null, false, req.flash('loginMessage', 'Oops! Wrong password.')); // create the loginMessage and save it to session as flashdata 

      // all is well, return successful user 
      return done(null, user); 
     }); 

    })); 

這裏是我的重定向頁面

app.get('/login', function(req, res) { 

    // render the page and pass in any flash data if it exists 
    res.render('login.ejs', { message: req.flash('loginMessage') }); 
}); 

// process the login form 
// app.post('/login', do all our passport stuff here); 
app.post('/login', passport.authenticate('local-login', { 
    successRedirect : '/partecipant', // redirect to the secure profile section 
    failureRedirect : '/login', // redirect back to the signup page if there is an error 
    failureFlash : true // allow flash messages 
})); 

我partecipant頁面,在這裏我可以使用檢索數據這個變量

 <p>id: <%= user.id %></p> 


     <p>email:<%= user.local.email %></p> 

     <p>password: <%= user.local.password %></p> 

這裏是另一個網頁,我嘗試使用相同的變量在partecipant頁面使用,但它不工作

<section id="wrapPartecipant1"> 
      <p>email:<%= user.local.email %></p> 
    </section> 

回答

0

後您驗證與護照用戶,用戶應存放在req.user

app.get('/particepant', function(req, res) { 
    console.log(req.user); 
}); 

你可以做什麼,然後創建一個local variable that is accessible to all views。你可以在一箇中間件中設置這個變量。

app.use(function(req, res, next) { 
    res.locals.user = req.user; 
    next(); 
}); 

app.get('/particepant', function(req, res) { 
    console.log(req.user); 
}); 

// and other routes 
相關問題