Сторона клієнта:
Використовуючи функцію auth2
init, ви можете передати hosted_domain
параметр, щоб обмежити облікові записи, перелічені у спливаючому вікні входу, тими, що відповідають вашим hosted_domain
. Ви можете побачити це в документації тут: https://developers.google.com/identity/sign-in/web/reference
Сторона сервера:
Навіть із обмеженим списком на стороні клієнта, вам потрібно буде перевірити, чи id_token
відповідає вказаний вами розміщений домен. Для деяких реалізацій це означає перевірку hd
атрибута, який ви отримуєте від google після перевірки маркера.
Приклад повного стеку:
Веб-код:
gapi.load('auth2', function () {
var auth2 = gapi.auth2.init({
client_id: "your-client-id.apps.googleusercontent.com",
hosted_domain: 'your-special-domain.com'
});
auth2.attachClickHandler(yourButtonElement, {});
auth2.currentUser.listen(function (user) {
if (user && user.isSignedIn()) {
validateTokenOnYourServer(user.getAuthResponse().id_token)
.then(function () {
console.log('yay');
})
.catch(function (err) {
auth2.then(function() { auth2.signOut(); });
});
}
});
});
Код сервера (за допомогою бібліотеки googles Node.js):
Якщо ви не використовуєте Node.js, ви можете переглянути інші приклади тут: https://developers.google.com/identity/sign-in/web/backend-auth
const GoogleAuth = require('google-auth-library');
const Auth = new GoogleAuth();
const authData = JSON.parse(fs.readFileSync(your_auth_creds_json_file));
const oauth = new Auth.OAuth2(authData.web.client_id, authData.web.client_secret);
const acceptableISSs = new Set(
['accounts.google.com', 'https://accounts.google.com']
);
const validateToken = (token) => {
return new Promise((resolve, reject) => {
if (!token) {
reject();
}
oauth.verifyIdToken(token, null, (err, ticket) => {
if (err) {
return reject(err);
}
const payload = ticket.getPayload();
const tokenIsOK = payload &&
payload.aud === authData.web.client_id &&
new Date(payload.exp * 1000) > new Date() &&
acceptableISSs.has(payload.iss) &&
payload.hd === 'your-special-domain.com';
return tokenIsOK ? resolve() : reject();
});
});
};