クライアント側:
auth2init 関数を使用すると、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();
        });
    });
};