This repository has been archived by the owner on Jul 29, 2024. It is now read-only.
forked from jupyterhub/oauthenticator
-
Notifications
You must be signed in to change notification settings - Fork 0
/
google.py
342 lines (288 loc) · 11.5 KB
/
google.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
"""
Custom Authenticator to use Google OAuth with JupyterHub.
Derived from the GitHub OAuth authenticator.
"""
import os
import urllib.parse
from jupyterhub.auth import LocalAuthenticator
from jupyterhub.crypto import decrypt
from jupyterhub.crypto import EncryptionUnavailable
from jupyterhub.crypto import InvalidToken
from tornado.auth import GoogleOAuth2Mixin
from tornado.httpclient import HTTPRequest
from tornado.httputil import url_concat
from tornado.web import HTTPError
from traitlets import default
from traitlets import Dict
from traitlets import List
from traitlets import Unicode
from traitlets import validate
from .oauth2 import OAuthenticator
def check_user_in_groups(member_groups, allowed_groups):
# Check if user is a member of any group in the allowed groups
if any(g in member_groups for g in allowed_groups):
return True # user _is_ in group
else:
return False
class GoogleOAuthenticator(OAuthenticator, GoogleOAuth2Mixin):
_deprecated_oauth_aliases = {
"google_group_whitelist": ("allowed_google_groups", "0.12.0"),
**OAuthenticator._deprecated_oauth_aliases,
}
google_api_url = Unicode("https://www.googleapis.com", config=True)
@default('google_api_url')
def _google_api_url(self):
"""get default google apis url from env"""
google_api_url = os.getenv('GOOGLE_API_URL')
# default to googleapis.com
if not google_api_url:
google_api_url = 'https://www.googleapis.com'
return google_api_url
@default('scope')
def _scope_default(self):
return ['openid', 'email']
@default("authorize_url")
def _authorize_url_default(self):
return "https://accounts.google.com/o/oauth2/v2/auth"
@default("token_url")
def _token_url_default(self):
return "%s/oauth2/v4/token" % (self.google_api_url)
google_service_account_keys = Dict(
Unicode(),
help="Service account keys to use with each domain, see https://developers.google.com/admin-sdk/directory/v1/guides/delegation",
).tag(config=True)
gsuite_administrator = Dict(
Unicode(),
help="Username of a G Suite Administrator for the service account to act as",
).tag(config=True)
google_group_whitelist = Dict(
help="Deprecated, use `GoogleOAuthenticator.allowed_google_groups`",
config=True,
)
allowed_google_groups = Dict(
List(Unicode()), help="Automatically allow members of selected groups"
).tag(config=True)
admin_google_groups = Dict(
List(Unicode()),
help="Groups whose members should have Jupyterhub admin privileges",
).tag(config=True)
user_info_url = Unicode(
"https://www.googleapis.com/oauth2/v1/userinfo", config=True
)
hosted_domain = List(
Unicode(),
config=True,
help="""List of domains used to restrict sign-in, e.g. mycollege.edu""",
)
@default('hosted_domain')
def _hosted_domain_from_env(self):
domains = []
for domain in os.environ.get('HOSTED_DOMAIN', '').split(';'):
if domain:
# check falsy to avoid trailing separators
# adding empty domains
domains.append(domain)
return domains
@validate('hosted_domain')
def _cast_hosted_domain(self, proposal):
"""handle backward-compatibility with hosted_domain is a single domain as a string"""
if isinstance(proposal.value, str):
# pre-0.9 hosted_domain was a string
# set it to a single item list
# (or if it's empty, an empty list)
if proposal.value == '':
return []
return [proposal.value]
return proposal.value
login_service = Unicode(
os.environ.get('LOGIN_SERVICE', 'Google'),
config=True,
help="""Google Apps hosted domain string, e.g. My College""",
)
username_claim = Unicode(
"email",
help="""Field in userinfo reply to use for username
Default: 'email'
Also reasonable: 'sub' for the opaque unique id
""",
config=True,
)
@default('username_claim')
def _username_claim_default(self):
return 'email'
async def authenticate(self, handler, data=None, google_groups=None):
code = handler.get_argument("code")
body = urllib.parse.urlencode(
dict(
code=code,
redirect_uri=self.get_callback_url(handler),
client_id=self.client_id,
client_secret=self.client_secret,
grant_type="authorization_code",
)
)
req = HTTPRequest(
self.token_url,
method="POST",
headers={"Content-Type": "application/x-www-form-urlencoded"},
body=body,
)
user = await self.fetch(req, "completing oauth")
access_token = str(user['access_token'])
refresh_token = user.get('refresh_token', None)
req = HTTPRequest(
url_concat(
self.user_info_url,
{'access_token': access_token},
)
)
bodyjs = await self.fetch(req, "fetching user info")
user_email = bodyjs['email']
user_email_domain = user_email.split('@')[1]
username = bodyjs[self.username_claim]
if not bodyjs['verified_email']:
self.log.warning("Google OAuth unverified email attempt: %s", user_email)
raise HTTPError(403, "Google email {} not verified".format(user_email))
if self.hosted_domain:
if user_email_domain not in self.hosted_domain:
self.log.warning(
"Google OAuth unauthorized domain attempt: %s", user_email
)
raise HTTPError(
403,
"Google account domain @{} not authorized.".format(
user_email_domain
),
)
if len(self.hosted_domain) == 1 and user_email == username:
# unambiguous domain, use only base name
username = user_email.split('@')[0]
if refresh_token is None:
self.log.debug(
"Refresh token was empty, will try to pull refresh_token from previous auth_state"
)
user = handler.find_user(username)
if user and user.encrypted_auth_state:
self.log.debug(
"encrypted_auth_state was found, will try to decrypt and pull refresh_token from it"
)
try:
encrypted = user.encrypted_auth_state
auth_state = await decrypt(encrypted)
refresh_token = auth_state.get('refresh_token')
except (ValueError, InvalidToken, EncryptionUnavailable) as e:
self.log.warning(
"Failed to retrieve encrypted auth_state for %s because %s",
username,
e,
)
user_info = {
'name': username,
'auth_state': {
'access_token': access_token,
'refresh_token': refresh_token,
'google_user': bodyjs,
},
}
if self.admin_google_groups or self.allowed_google_groups:
user_info = await self._add_google_groups_info(user_info, google_groups)
return user_info
def _service_client_credentials(self, scopes, user_email_domain):
"""
Return a configured service client credentials for the API.
"""
try:
from google.oauth2 import service_account
except:
raise ImportError(
"Could not import google.oauth2's service_account,"
"you may need to run pip install oauthenticator[googlegroups] or not declare google groups"
)
gsuite_administrator_email = "{}@{}".format(
self.gsuite_administrator[user_email_domain], user_email_domain
)
self.log.debug(
"scopes are %s, user_email_domain is %s", scopes, user_email_domain
)
credentials = service_account.Credentials.from_service_account_file(
self.google_service_account_keys[user_email_domain], scopes=scopes
)
credentials = credentials.with_subject(gsuite_administrator_email)
return credentials
def _service_client(self, service_name, service_version, credentials, http=None):
"""
Return a configured service client for the API.
"""
try:
from googleapiclient.discovery import build
except:
raise ImportError(
"Could not import googleapiclient.discovery's build,"
"you may need to run pip install oauthenticator[googlegroups] or not declare google groups"
)
self.log.debug(
"service_name is %s, service_version is %s", service_name, service_version
)
return build(
serviceName=service_name,
version=service_version,
credentials=credentials,
cache_discovery=False,
http=http,
)
async def _google_groups_for_user(self, user_email, credentials, http=None):
"""
Return google groups a given user is a member of
"""
service = self._service_client(
service_name='admin',
service_version='directory_v1',
credentials=credentials,
http=http,
)
results = service.groups().list(userKey=user_email).execute()
results = [
g['email'].split('@')[0] for g in results.get('groups', [{'email': None}])
]
self.log.debug("user_email %s is a member of %s", user_email, results)
return results
async def _add_google_groups_info(self, user_info, google_groups=None):
user_email_domain = user_info['auth_state']['google_user']['hd']
user_email = user_info['auth_state']['google_user']['email']
if google_groups is None:
credentials = self._service_client_credentials(
scopes=[
'%s/auth/admin.directory.group.readonly' % (self.google_api_url)
],
user_email_domain=user_email_domain,
)
google_groups = await self._google_groups_for_user(
user_email=user_email, credentials=credentials
)
user_info['auth_state']['google_user']['google_groups'] = google_groups
# Check if user is a member of any admin groups.
if self.admin_google_groups:
is_admin = check_user_in_groups(
google_groups, self.admin_google_groups[user_email_domain]
)
# Check if user is a member of any allowed groups.
allowed_groups = self.allowed_google_groups
if allowed_groups:
if user_email_domain in allowed_groups:
user_in_group = check_user_in_groups(
google_groups, allowed_groups[user_email_domain]
)
else:
return None
else:
user_in_group = True
if self.admin_google_groups and (is_admin or user_in_group):
user_info['admin'] = is_admin
return user_info
elif user_in_group:
return user_info
else:
return None
class LocalGoogleOAuthenticator(LocalAuthenticator, GoogleOAuthenticator):
"""A version that mixes in local system user creation"""
pass