简体   繁体   English

Passport.js GoogleStrategy 不工作! 出现错误“无法读取未定义的属性(读取‘0’)”

[英]Passport.js GoogleStrategy not working! Getting error "Cannot read properties of undefined (reading '0')"

I am trying to implement passport.js google login, but as you can see in my code below I am having an issue with the profile object which is not behaving like the documentation says it should.我正在尝试实施 passport.js google 登录,但正如您在下面的代码中看到的那样,我遇到了配置文件 object 的问题,它的行为与文档中所说的不一样。 Please help.请帮忙。

Also, I do not wish to you passports build in session support.另外,我不希望你的护照内置 session 支持。 I have my own functions for creating sessions and authenticating if the user is logged in.如果用户已登录,我有自己的功能来创建会话和进行身份验证。

const passport = require('passport');
const GoogleStrategy = require('passport-google-oidc');
const User = require('../models/user-schema');

async function create_user(name, email) {
  // too long to show, just assume it works (not relevant for my question anyways)
  const user = await User.create({});
  return login_user(user)
}

function login_user(user) {
  req.session.user_id = user._id;
  delete user._doc.hash;
  delete user._doc.salt;
  return user;
}

passport.use(new GoogleStrategy({
  clientID: process.env.GOOGLE_CLIENT_ID,
  clientSecret: process.env.GOOGLE_CLIENT_SEC,
  callbackURL: 'http://localhost:4000/auth/login-google/redirect/',
  scope: [ 'email', 'profile' ]
},
async function(request, accessToken, refreshToken, profile, done) {
  try {
    console.log(profile); // Gives a long string for some reason
    console.log(profile.id); // Gives undefined even though it is used in the documentation 
    const email = profile.emails[0].value; // Here it throws the error even though this is what I have seen others use 

// (!)   
// Everything beyond this point I havent had the chance to test yet because the profile object, well I guess, ISNT AN OBJECT!
// (!)

    const existing_user = await User.findOne({ email: email });
    const user = (existing_user) ? login_user(existing_user) : await create_user(profile.displayName, email);
    return done(null, user);
  }
  catch (err) {
    console.log('errror: ' + err.message);
    return done(err);
  }
}));

router.get('/login-google', passport.authenticate('google'));

router.get('/login-google/redirect/', passport.authenticate('google', {
  successRedirect: '/login-google/success',
  failureRedirect: '/login-google/failure'
}));

router.get('/login-google/success', (req, res) => {
  console.log('success');
});

router.get('/login-google/failure', (req, res) => {
  console.log('failure');
});

You're importing GoogleStrategy from passport-google-oidc which has a different signature.您正在从具有不同签名passport-google-oidc导入GoogleStrategy The current signature of your implementation belongs to GoogleStrategy from passport-google-oauth2 .您实施的当前签名属于来自passport-google-oauth2 的GoogleStrategy

According to the passport's documentation for passport-google-oidc , your function's signature should be something like this:根据passport-google-oidc的护照文档,您的函数签名应该是这样的:

var GoogleStrategy = require('passport-google-oidc');

passport.use(new GoogleStrategy({
    clientID: process.env['GOOGLE_CLIENT_ID'],
    clientSecret: process.env['GOOGLE_CLIENT_SECRET'],
    callbackURL: 'https://www.example.com/oauth2/redirect'
  },
  function verify(issuer, profile, cb) {
    db.get('SELECT * FROM federated_credentials WHERE provider = ? AND subject = ?', [
      issuer,
      profile.id
    ], function(err, cred) {
      if (err) { return cb(err); }
      if (!cred) {
        // The account at Google has not logged in to this app before.  Create a
        // new user record and associate it with the Google account.
        db.run('INSERT INTO users (name) VALUES (?)', [
          profile.displayName
        ], function(err) {
          if (err) { return cb(err); }

          var id = this.lastID;
          db.run('INSERT INTO federated_credentials (user_id, provider, subject) VALUES (?, ?, ?)', [
            id,
            issuer,
            profile.id
          ], function(err) {
            if (err) { return cb(err); }
            var user = {
              id: id.toString(),
              name: profile.displayName
            };
            return cb(null, user);
          });
        });
      } else {
        // The account at Google has previously logged in to the app.  Get the
        // user record associated with the Google account and log the user in.
        db.get('SELECT * FROM users WHERE id = ?', [ cred.user_id ], function(err, user) {
          if (err) { return cb(err); }
          if (!user) { return cb(null, false); }
          return cb(null, user);
        });
      }
    }
  })
));

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

相关问题 Passport JS 无法读取未定义的属性(读取“初始化”) - Passport JS Cannot read properties of undefined (reading 'initialize') Passport.js:无法读取未定义的属性“用户名”(节点) - Passport.js: Cannot read property 'username' of undefined (Node) 总是在passport.js回调上出错 - Always getting error on passport.js callback discord.js 错误:无法读取未定义的属性(读取“客户端”) - discord.js error: Cannot read properties of undefined (reading 'client') Node.js passport.use() function: TypeError: Cannot read properties of undefined (reading 'use') - Node.js passport.use() function: TypeError: Cannot read properties of undefined (reading 'use') 出现错误:无法读取未定义的属性(读取“id”) - Getting error: Cannot read properties of undefined (reading 'id') 收到错误“无法读取未定义的属性(读取'id')” - Getting an error "Cannot read properties of undefined (reading 'id') " TypeError:使用Passport.js时无法读取未定义的属性“ headersSent” - TypeError: Cannot read property 'headersSent' of undefined when using Passport.js 需要通行证之后,“ TypeError:无法读取未定义的属性'isAuthenticated'” - 'TypeError: Cannot read property 'isAuthenticated' of undefined' after requiring passport.js 错误:无法读取未定义的属性(读取“主机”) - Error: Cannot read properties of undefined (reading 'host')
 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM