Using passport.js is a great option for doing authentication in node.js applications with great strategies for authenticating through just about anything on the planet including Salesforce. Using passport.js with Salesforce involves using the OAuth2Strategy but the user object in the session is not usable really as I really want actual information about the user to be there. The solution I came up with was overriding the userProfile-method and adding a call to the Salesforce userinfo endpoint as shown below.
// configure authentication using oauth2 app.use(passport.initialize()); passport.serializeUser(function(user, done) { done(null, user.username); }); passport.deserializeUser(function(login, done) { done(undefined, { "username": login }); }); OAuth2Strategy.prototype.userProfile = function(accessToken, done) { this._oauth2.get(`https://${process.env.SF_LOGIN_URL || "login.salesforce.com"}/services/oauth2/userinfo`, accessToken, function (err, body, res) { if (err) { return done(new InternalOAuthError('Failed to fetch user profile', err)); } try { let json = JSON.parse(body); let profile = { "provider": "Salesforce.com", "username": json.preferred_username, "name": json.name, "email": json.email, "firstname": json.given_name, "lastname": json.family_name, "payload": json }; done(null, profile); } catch(e) { done(e); } }); } passport.use(new OAuth2Strategy({ authorizationURL: `https://${process.env.SF_LOGIN_URL || "login.salesforce.com"}/services/oauth2/authorize`, tokenURL: `https://${process.env.SF_LOGIN_URL || "login.salesforce.com"}/services/oauth2/token`, clientID: process.env.SF_CLIENT_ID, clientSecret: process.env.SF_CLIENT_SECRET, callbackURL: process.env.SF_CALLBACK_URL }, function(accessToken, refreshToken, profile, cb) { cb(undefined, profile); } ));
The interesting piece is really the code in bold where I inject a call to /services/oauth2/userinfo to get information about the user and then add that as the user object.
Of course after having done all this I found passport-salesforce which is a strategy that does exactly the same thing – duh!!! Anyways it was fun to code it up.