将使用Google OAuth2.0将登录电子邮件限制为特定域名



我似乎找不到任何关于如何限制登录我的Web应用程序(使用OAuth2.0和Google API)的文档,以仅接受来自用户对特定域名或一组域名的电子邮件的身份验证请求。我想将白名单而不是黑名单列入白名单。

有没有人对如何做到这一点,关于官方接受的方法的文档,或者一个简单、安全的解决方法有建议?

作为记录,我不知道有关用户的任何信息,直到他们尝试通过Google的OAuth身份验证登录。我收到的只是基本的用户信息和电子邮件。

所以我

有一个答案给你。在OAuth请求中,您可以添加hd=example.com,它将限制对该域中的用户的身份验证(我不知道您是否可以执行多个域)。您可以在此处找到记录的高清参数

我从这里使用 Google API 库:http://code.google.com/p/google-api-php-client/wiki/OAuth2 所以我不得不手动编辑/auth/apiOAuth2.php文件:

public function createAuthUrl($scope) {
    $params = array(
        'response_type=code',
        'redirect_uri=' . urlencode($this->redirectUri),
        'client_id=' . urlencode($this->clientId),
        'scope=' . urlencode($scope),
        'access_type=' . urlencode($this->accessType),
        'approval_prompt=' . urlencode($this->approvalPrompt),
        'hd=example.com'
    );
    if (isset($this->state)) {
        $params[] = 'state=' . urlencode($this->state);
    }
    $params = implode('&', $params);
    return self::OAUTH2_AUTH_URL . "?$params";
}

我仍在开发这个应用程序并找到了这个,这可能是这个问题更正确的答案。 https://developers.google.com/google-apps/profiles/

客户端:

使用 auth2 init 函数,您可以传递 hosted_domain 参数,以将登录弹出窗口中列出的帐户限制为与您的hosted_domain匹配的帐户。您可以在此处的文档中看到这一点:https://developers.google.com/identity/sign-in/web/reference

服务器端:

即使使用受限的客户端列表,您也需要验证id_token是否与您指定的托管域匹配。对于某些实现方式,这意味着在验证令牌后检查您从 Google 收到的hd属性。

全栈示例:

网页代码:

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.example'
    });
    // 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.example';
            return tokenIsOK ? resolve() : reject();
        });
    });
};

定义提供程序时,在末尾使用"hd"参数传入哈希。你可以在这里阅读。https://developers.google.com/accounts/docs/OpenIDConnect#hd-param

例如,对于 config/initializers/devise.rb

config.omniauth :google_oauth2, 'identifier', 'key', {hd: 'yourdomain.com'}

这是我在node.js中使用护照所做的。 profile是尝试登录的用户。

//passed, stringified email login
var emailString = String(profile.emails[0].value);
//the domain you want to whitelist
var yourDomain = '@google.com';
//check the x amount of characters including and after @ symbol of passed user login.
//This means '@google.com' must be the final set of characters in the attempted login 
var domain = emailString.substr(emailString.length - yourDomain.length);
//I send the user back to the login screen if domain does not match 
if (domain != yourDomain)
   return done(err);

然后只需创建逻辑来查找多个域,而不仅仅是一个域。我相信这种方法是安全的,因为 1."@"符号在电子邮件地址的第一部分或第二部分中不是有效字符。我无法通过创建像 mike@fake@google.com 2 这样的电子邮件地址来欺骗该功能。在传统的登录系统中,我可以,但这个电子邮件地址永远不会存在于谷歌中。如果它不是有效的 Google 帐户,则无法登录。

自 2015 年以来,库中有一个函数可以设置它,而无需像 aaron-bruce 的解决方法那样编辑库的源代码

在生成网址之前,只需针对您的谷歌客户端调用setHostedDomain

$client->setHostedDomain("HOSTED DOMAIN")

使用Laravel Socialite登录Google。https://laravel.com/docs/8.x/socialite#optional-parameters

use LaravelSocialiteFacadesSocialite;
return Socialite::driver('google')
    ->with(['hd' => 'pontomais.com.br'])
    ->redirect();

相关内容

  • 没有找到相关文章

最新更新