Использование Google Directory API после входа с использованием Passport. js - PullRequest
0 голосов
/ 12 февраля 2020

Я использовал паспорт JS и Google Strategy для подключения пользователей в моей организации, и это работает, в результате я получаю идентификатор профиля и профиль DisplayName.

Я хочу использовать этот ID , чтобы получить от пользователей полную информацию (группы и т. Д. c ..), я думаю, что через API API, но я не смог этого сделать, хотя и мой При входе в паспорт возвращается accessToken.

Пожалуйста, мне нужно несколько указаний в моем коде:

// Required dependencies 
const express = require('express');
const app = express();
const passport = require('passport');
const GoogleStrategy = require('passport-google-oauth20');
const cookieSession = require('cookie-session');
var store = require('store');

// cookieSession config
app.use(cookieSession({
    maxAge: 24 * 60 * 60 * 1000, // One day in milliseconds
    keys: ['randomstringhere']
}));

app.use(passport.initialize()); // Used to initialize passport
app.use(passport.session()); // Used to persist login sessions

// Strategy config
passport.use(new GoogleStrategy({
        clientID: 'client id',
        clientSecret: 'secret here',
        callbackURL: 'http://localhost:3000/callback'
    },
    (accessToken, refreshToken, profile, done) => {

        // Directory API here

        done(null, profile); // passes the profile data to serializeUser
    }
));

// Used to stuff a piece of information into a cookie
passport.serializeUser((user, done) => {
    done(null, user);
});

// Used to decode the received cookie and persist session
passport.deserializeUser((user, done) => {
    done(null, user);
});

// Middleware to check if the user is authenticated
function isUserAuthenticated(req, res, next) {
    if (req.user) {
        next();
    } else {
        res.send('You must login!');
    }
}

app.set('views', './views');
app.set('view engine', 'ejs');

// Routes
app.get('/', (req, res) => {
    res.render('index');
});

// passport.authenticate middleware is used here to authenticate the request
app.get('/auth/google', passport.authenticate('google', {
    scope: ['profile'] // Used to specify the required data
}));

// The middleware receives the data from Google and runs the function on Strategy config
app.get('/callback', passport.authenticate('google'), (req, res) => {
    res.redirect('/secret');
});

// Secret route
app.get('/secret', isUserAuthenticated, (req, res) => {
    res.send('You have reached the secret route');
});

// Logout route
app.get('/logout', (req, res) => {
    req.logout(); 
    res.redirect('/');
});

app.listen(3000, () => {
    console.log('Server Started!');
});
...