クライアント側:
auth2
init関数を使用しhosted_domain
て、サインインポップアップに表示されるアカウントをに一致するアカウントに制限するパラメーターを渡すことができますhosted_domain
。こちらのドキュメントで確認できます:https : //developers.google.com/identity/sign-in/web/reference
サーバ側:
クライアント側のリストが制限されている場合でも、id_token
が指定したホストドメインと一致することを確認する必要があります。一部の実装では、これはhd
、トークンを確認した後にGoogleから受け取った属性を確認することを意味します。
フルスタックの例:
ウェブコード:
gapi.load('auth2', function () {
// init auth2 with your hosted_domain
// only matching accounts will show up in the list or be accepted
var auth2 = gapi.auth2.init({
client_id: "your-client-id.apps.googleusercontent.com",
hosted_domain: 'your-special-domain.com'
});
// setup your signin button
auth2.attachClickHandler(yourButtonElement, {});
// when the current user changes
auth2.currentUser.listen(function (user) {
// if the user is signed in
if (user && user.isSignedIn()) {
// validate the token on your server,
// your server will need to double check that the
// `hd` matches your specified `hosted_domain`;
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();
});
});
};