oauth.py 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485
  1. import base64
  2. import logging
  3. import mimetypes
  4. import sys
  5. import uuid
  6. import aiohttp
  7. from authlib.integrations.starlette_client import OAuth
  8. from authlib.oidc.core import UserInfo
  9. from fastapi import (
  10. HTTPException,
  11. status,
  12. )
  13. from starlette.responses import RedirectResponse
  14. from open_webui.models.auths import Auths
  15. from open_webui.models.users import Users
  16. from open_webui.models.groups import Groups, GroupModel, GroupUpdateForm, GroupForm
  17. from open_webui.config import (
  18. DEFAULT_USER_ROLE,
  19. ENABLE_OAUTH_SIGNUP,
  20. OAUTH_MERGE_ACCOUNTS_BY_EMAIL,
  21. OAUTH_PROVIDERS,
  22. ENABLE_OAUTH_ROLE_MANAGEMENT,
  23. ENABLE_OAUTH_GROUP_MANAGEMENT,
  24. ENABLE_OAUTH_GROUP_CREATION,
  25. OAUTH_ROLES_CLAIM,
  26. OAUTH_GROUPS_CLAIM,
  27. OAUTH_EMAIL_CLAIM,
  28. OAUTH_PICTURE_CLAIM,
  29. OAUTH_USERNAME_CLAIM,
  30. OAUTH_ALLOWED_ROLES,
  31. OAUTH_ADMIN_ROLES,
  32. OAUTH_ALLOWED_DOMAINS,
  33. WEBHOOK_URL,
  34. JWT_EXPIRES_IN,
  35. AppConfig,
  36. )
  37. from open_webui.constants import ERROR_MESSAGES, WEBHOOK_MESSAGES
  38. from open_webui.env import (
  39. WEBUI_NAME,
  40. WEBUI_AUTH_COOKIE_SAME_SITE,
  41. WEBUI_AUTH_COOKIE_SECURE,
  42. )
  43. from open_webui.utils.misc import parse_duration
  44. from open_webui.utils.auth import get_password_hash, create_token
  45. from open_webui.utils.webhook import post_webhook
  46. from open_webui.env import SRC_LOG_LEVELS, GLOBAL_LOG_LEVEL
  47. logging.basicConfig(stream=sys.stdout, level=GLOBAL_LOG_LEVEL)
  48. log = logging.getLogger(__name__)
  49. log.setLevel(SRC_LOG_LEVELS["OAUTH"])
  50. auth_manager_config = AppConfig()
  51. auth_manager_config.DEFAULT_USER_ROLE = DEFAULT_USER_ROLE
  52. auth_manager_config.ENABLE_OAUTH_SIGNUP = ENABLE_OAUTH_SIGNUP
  53. auth_manager_config.OAUTH_MERGE_ACCOUNTS_BY_EMAIL = OAUTH_MERGE_ACCOUNTS_BY_EMAIL
  54. auth_manager_config.ENABLE_OAUTH_ROLE_MANAGEMENT = ENABLE_OAUTH_ROLE_MANAGEMENT
  55. auth_manager_config.ENABLE_OAUTH_GROUP_MANAGEMENT = ENABLE_OAUTH_GROUP_MANAGEMENT
  56. auth_manager_config.ENABLE_OAUTH_GROUP_CREATION = ENABLE_OAUTH_GROUP_CREATION
  57. auth_manager_config.OAUTH_ROLES_CLAIM = OAUTH_ROLES_CLAIM
  58. auth_manager_config.OAUTH_GROUPS_CLAIM = OAUTH_GROUPS_CLAIM
  59. auth_manager_config.OAUTH_EMAIL_CLAIM = OAUTH_EMAIL_CLAIM
  60. auth_manager_config.OAUTH_PICTURE_CLAIM = OAUTH_PICTURE_CLAIM
  61. auth_manager_config.OAUTH_USERNAME_CLAIM = OAUTH_USERNAME_CLAIM
  62. auth_manager_config.OAUTH_ALLOWED_ROLES = OAUTH_ALLOWED_ROLES
  63. auth_manager_config.OAUTH_ADMIN_ROLES = OAUTH_ADMIN_ROLES
  64. auth_manager_config.OAUTH_ALLOWED_DOMAINS = OAUTH_ALLOWED_DOMAINS
  65. auth_manager_config.WEBHOOK_URL = WEBHOOK_URL
  66. auth_manager_config.JWT_EXPIRES_IN = JWT_EXPIRES_IN
  67. class OAuthManager:
  68. def __init__(self, app):
  69. self.oauth = OAuth()
  70. self.app = app
  71. for _, provider_config in OAUTH_PROVIDERS.items():
  72. provider_config["register"](self.oauth)
  73. def get_client(self, provider_name):
  74. return self.oauth.create_client(provider_name)
  75. def get_user_role(self, user, user_data):
  76. if user and Users.get_num_users() == 1:
  77. # If the user is the only user, assign the role "admin" - actually repairs role for single user on login
  78. log.debug("Assigning the only user the admin role")
  79. return "admin"
  80. if not user and Users.get_num_users() == 0:
  81. # If there are no users, assign the role "admin", as the first user will be an admin
  82. log.debug("Assigning the first user the admin role")
  83. return "admin"
  84. if auth_manager_config.ENABLE_OAUTH_ROLE_MANAGEMENT:
  85. log.debug("Running OAUTH Role management")
  86. oauth_claim = auth_manager_config.OAUTH_ROLES_CLAIM
  87. oauth_allowed_roles = auth_manager_config.OAUTH_ALLOWED_ROLES
  88. oauth_admin_roles = auth_manager_config.OAUTH_ADMIN_ROLES
  89. oauth_roles = []
  90. # Default/fallback role if no matching roles are found
  91. role = auth_manager_config.DEFAULT_USER_ROLE
  92. # Next block extracts the roles from the user data, accepting nested claims of any depth
  93. if oauth_claim and oauth_allowed_roles and oauth_admin_roles:
  94. claim_data = user_data
  95. nested_claims = oauth_claim.split(".")
  96. for nested_claim in nested_claims:
  97. claim_data = claim_data.get(nested_claim, {})
  98. oauth_roles = claim_data if isinstance(claim_data, list) else []
  99. log.debug(f"Oauth Roles claim: {oauth_claim}")
  100. log.debug(f"User roles from oauth: {oauth_roles}")
  101. log.debug(f"Accepted user roles: {oauth_allowed_roles}")
  102. log.debug(f"Accepted admin roles: {oauth_admin_roles}")
  103. # If any roles are found, check if they match the allowed or admin roles
  104. if oauth_roles:
  105. # If role management is enabled, and matching roles are provided, use the roles
  106. for allowed_role in oauth_allowed_roles:
  107. # If the user has any of the allowed roles, assign the role "user"
  108. if allowed_role in oauth_roles:
  109. log.debug("Assigned user the user role")
  110. role = "user"
  111. break
  112. for admin_role in oauth_admin_roles:
  113. # If the user has any of the admin roles, assign the role "admin"
  114. if admin_role in oauth_roles:
  115. log.debug("Assigned user the admin role")
  116. role = "admin"
  117. break
  118. else:
  119. if not user:
  120. # If role management is disabled, use the default role for new users
  121. role = auth_manager_config.DEFAULT_USER_ROLE
  122. else:
  123. # If role management is disabled, use the existing role for existing users
  124. role = user.role
  125. return role
  126. def update_user_groups(self, user, user_data, default_permissions):
  127. log.debug("Running OAUTH Group management")
  128. oauth_claim = auth_manager_config.OAUTH_GROUPS_CLAIM
  129. user_oauth_groups = []
  130. # Nested claim search for groups claim
  131. if oauth_claim:
  132. claim_data = user_data
  133. nested_claims = oauth_claim.split(".")
  134. for nested_claim in nested_claims:
  135. claim_data = claim_data.get(nested_claim, {})
  136. user_oauth_groups = claim_data if isinstance(claim_data, list) else []
  137. user_current_groups: list[GroupModel] = Groups.get_groups_by_member_id(user.id)
  138. all_available_groups: list[GroupModel] = Groups.get_groups()
  139. # Create groups if they don't exist and creation is enabled
  140. if auth_manager_config.ENABLE_OAUTH_GROUP_CREATION:
  141. log.debug("Checking for missing groups to create...")
  142. all_group_names = {g.name for g in all_available_groups}
  143. groups_created = False
  144. # Determine creator ID: Prefer admin, fallback to current user if no admin exists
  145. admin_user = Users.get_admin_user()
  146. creator_id = admin_user.id if admin_user else user.id
  147. log.debug(f"Using creator ID {creator_id} for potential group creation.")
  148. for group_name in user_oauth_groups:
  149. if group_name not in all_group_names:
  150. log.info(
  151. f"Group '{group_name}' not found via OAuth claim. Creating group..."
  152. )
  153. try:
  154. new_group_form = GroupForm(
  155. name=group_name,
  156. description=f"Group '{group_name}' created automatically via OAuth.",
  157. permissions=default_permissions, # Use default permissions from function args
  158. user_ids=[], # Start with no users, user will be added later by subsequent logic
  159. )
  160. # Use determined creator ID (admin or fallback to current user)
  161. created_group = Groups.insert_new_group(
  162. creator_id, new_group_form
  163. )
  164. if created_group:
  165. log.info(
  166. f"Successfully created group '{group_name}' with ID {created_group.id} using creator ID {creator_id}"
  167. )
  168. groups_created = True
  169. # Add to local set to prevent duplicate creation attempts in this run
  170. all_group_names.add(group_name)
  171. else:
  172. log.error(
  173. f"Failed to create group '{group_name}' via OAuth."
  174. )
  175. except Exception as e:
  176. log.error(f"Error creating group '{group_name}' via OAuth: {e}")
  177. # Refresh the list of all available groups if any were created
  178. if groups_created:
  179. all_available_groups = Groups.get_groups()
  180. log.debug("Refreshed list of all available groups after creation.")
  181. log.debug(f"Oauth Groups claim: {oauth_claim}")
  182. log.debug(f"User oauth groups: {user_oauth_groups}")
  183. log.debug(f"User's current groups: {[g.name for g in user_current_groups]}")
  184. log.debug(
  185. f"All groups available in OpenWebUI: {[g.name for g in all_available_groups]}"
  186. )
  187. # Remove groups that user is no longer a part of
  188. for group_model in user_current_groups:
  189. if user_oauth_groups and group_model.name not in user_oauth_groups:
  190. # Remove group from user
  191. log.debug(
  192. f"Removing user from group {group_model.name} as it is no longer in their oauth groups"
  193. )
  194. user_ids = group_model.user_ids
  195. user_ids = [i for i in user_ids if i != user.id]
  196. # In case a group is created, but perms are never assigned to the group by hitting "save"
  197. group_permissions = group_model.permissions
  198. if not group_permissions:
  199. group_permissions = default_permissions
  200. update_form = GroupUpdateForm(
  201. name=group_model.name,
  202. description=group_model.description,
  203. permissions=group_permissions,
  204. user_ids=user_ids,
  205. )
  206. Groups.update_group_by_id(
  207. id=group_model.id, form_data=update_form, overwrite=False
  208. )
  209. # Add user to new groups
  210. for group_model in all_available_groups:
  211. if (
  212. user_oauth_groups
  213. and group_model.name in user_oauth_groups
  214. and not any(gm.name == group_model.name for gm in user_current_groups)
  215. ):
  216. # Add user to group
  217. log.debug(
  218. f"Adding user to group {group_model.name} as it was found in their oauth groups"
  219. )
  220. user_ids = group_model.user_ids
  221. user_ids.append(user.id)
  222. # In case a group is created, but perms are never assigned to the group by hitting "save"
  223. group_permissions = group_model.permissions
  224. if not group_permissions:
  225. group_permissions = default_permissions
  226. update_form = GroupUpdateForm(
  227. name=group_model.name,
  228. description=group_model.description,
  229. permissions=group_permissions,
  230. user_ids=user_ids,
  231. )
  232. Groups.update_group_by_id(
  233. id=group_model.id, form_data=update_form, overwrite=False
  234. )
  235. async def handle_login(self, request, provider):
  236. if provider not in OAUTH_PROVIDERS:
  237. raise HTTPException(404)
  238. # If the provider has a custom redirect URL, use that, otherwise automatically generate one
  239. redirect_uri = OAUTH_PROVIDERS[provider].get("redirect_uri") or request.url_for(
  240. "oauth_callback", provider=provider
  241. )
  242. client = self.get_client(provider)
  243. if client is None:
  244. raise HTTPException(404)
  245. return await client.authorize_redirect(request, redirect_uri)
  246. async def handle_callback(self, request, provider, response):
  247. if provider not in OAUTH_PROVIDERS:
  248. raise HTTPException(404)
  249. client = self.get_client(provider)
  250. try:
  251. token = await client.authorize_access_token(request)
  252. except Exception as e:
  253. log.warning(f"OAuth callback error: {e}")
  254. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  255. user_data: UserInfo = token.get("userinfo")
  256. if not user_data or auth_manager_config.OAUTH_EMAIL_CLAIM not in user_data:
  257. user_data: UserInfo = await client.userinfo(token=token)
  258. if not user_data:
  259. log.warning(f"OAuth callback failed, user data is missing: {token}")
  260. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  261. sub = user_data.get(OAUTH_PROVIDERS[provider].get("sub_claim", "sub"))
  262. if not sub:
  263. log.warning(f"OAuth callback failed, sub is missing: {user_data}")
  264. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  265. provider_sub = f"{provider}@{sub}"
  266. email_claim = auth_manager_config.OAUTH_EMAIL_CLAIM
  267. email = user_data.get(email_claim, "")
  268. # We currently mandate that email addresses are provided
  269. if not email:
  270. # If the provider is GitHub,and public email is not provided, we can use the access token to fetch the user's email
  271. if provider == "github":
  272. try:
  273. access_token = token.get("access_token")
  274. headers = {"Authorization": f"Bearer {access_token}"}
  275. async with aiohttp.ClientSession() as session:
  276. async with session.get(
  277. "https://api.github.com/user/emails", headers=headers
  278. ) as resp:
  279. if resp.ok:
  280. emails = await resp.json()
  281. # use the primary email as the user's email
  282. primary_email = next(
  283. (e["email"] for e in emails if e.get("primary")),
  284. None,
  285. )
  286. if primary_email:
  287. email = primary_email
  288. else:
  289. log.warning(
  290. "No primary email found in GitHub response"
  291. )
  292. raise HTTPException(
  293. 400, detail=ERROR_MESSAGES.INVALID_CRED
  294. )
  295. else:
  296. log.warning("Failed to fetch GitHub email")
  297. raise HTTPException(
  298. 400, detail=ERROR_MESSAGES.INVALID_CRED
  299. )
  300. except Exception as e:
  301. log.warning(f"Error fetching GitHub email: {e}")
  302. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  303. else:
  304. log.warning(f"OAuth callback failed, email is missing: {user_data}")
  305. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  306. email = email.lower()
  307. if (
  308. "*" not in auth_manager_config.OAUTH_ALLOWED_DOMAINS
  309. and email.split("@")[-1] not in auth_manager_config.OAUTH_ALLOWED_DOMAINS
  310. ):
  311. log.warning(
  312. f"OAuth callback failed, e-mail domain is not in the list of allowed domains: {user_data}"
  313. )
  314. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  315. # Check if the user exists
  316. user = Users.get_user_by_oauth_sub(provider_sub)
  317. if not user:
  318. # If the user does not exist, check if merging is enabled
  319. if auth_manager_config.OAUTH_MERGE_ACCOUNTS_BY_EMAIL:
  320. # Check if the user exists by email
  321. user = Users.get_user_by_email(email)
  322. if user:
  323. # Update the user with the new oauth sub
  324. Users.update_user_oauth_sub_by_id(user.id, provider_sub)
  325. if user:
  326. determined_role = self.get_user_role(user, user_data)
  327. if user.role != determined_role:
  328. Users.update_user_role_by_id(user.id, determined_role)
  329. if not user:
  330. user_count = Users.get_num_users()
  331. # If the user does not exist, check if signups are enabled
  332. if auth_manager_config.ENABLE_OAUTH_SIGNUP:
  333. # Check if an existing user with the same email already exists
  334. existing_user = Users.get_user_by_email(email)
  335. if existing_user:
  336. raise HTTPException(400, detail=ERROR_MESSAGES.EMAIL_TAKEN)
  337. picture_claim = auth_manager_config.OAUTH_PICTURE_CLAIM
  338. if picture_claim:
  339. picture_url = user_data.get(
  340. picture_claim, OAUTH_PROVIDERS[provider].get("picture_url", "")
  341. )
  342. if picture_url:
  343. # Download the profile image into a base64 string
  344. try:
  345. access_token = token.get("access_token")
  346. get_kwargs = {}
  347. if access_token:
  348. get_kwargs["headers"] = {
  349. "Authorization": f"Bearer {access_token}",
  350. }
  351. async with aiohttp.ClientSession() as session:
  352. async with session.get(
  353. picture_url, **get_kwargs
  354. ) as resp:
  355. if resp.ok:
  356. picture = await resp.read()
  357. base64_encoded_picture = base64.b64encode(
  358. picture
  359. ).decode("utf-8")
  360. guessed_mime_type = mimetypes.guess_type(
  361. picture_url
  362. )[0]
  363. if guessed_mime_type is None:
  364. # assume JPG, browsers are tolerant enough of image formats
  365. guessed_mime_type = "image/jpeg"
  366. picture_url = f"data:{guessed_mime_type};base64,{base64_encoded_picture}"
  367. else:
  368. picture_url = "/user.png"
  369. except Exception as e:
  370. log.error(
  371. f"Error downloading profile image '{picture_url}': {e}"
  372. )
  373. picture_url = "/user.png"
  374. if not picture_url:
  375. picture_url = "/user.png"
  376. else:
  377. picture_url = "/user.png"
  378. username_claim = auth_manager_config.OAUTH_USERNAME_CLAIM
  379. name = user_data.get(username_claim)
  380. if not name:
  381. log.warning("Username claim is missing, using email as name")
  382. name = email
  383. role = self.get_user_role(None, user_data)
  384. user = Auths.insert_new_auth(
  385. email=email,
  386. password=get_password_hash(
  387. str(uuid.uuid4())
  388. ), # Random password, not used
  389. name=name,
  390. profile_image_url=picture_url,
  391. role=role,
  392. oauth_sub=provider_sub,
  393. )
  394. if auth_manager_config.WEBHOOK_URL:
  395. post_webhook(
  396. WEBUI_NAME,
  397. auth_manager_config.WEBHOOK_URL,
  398. WEBHOOK_MESSAGES.USER_SIGNUP(user.name),
  399. {
  400. "action": "signup",
  401. "message": WEBHOOK_MESSAGES.USER_SIGNUP(user.name),
  402. "user": user.model_dump_json(exclude_none=True),
  403. },
  404. )
  405. else:
  406. raise HTTPException(
  407. status.HTTP_403_FORBIDDEN, detail=ERROR_MESSAGES.ACCESS_PROHIBITED
  408. )
  409. jwt_token = create_token(
  410. data={"id": user.id},
  411. expires_delta=parse_duration(auth_manager_config.JWT_EXPIRES_IN),
  412. )
  413. if auth_manager_config.ENABLE_OAUTH_GROUP_MANAGEMENT and user.role != "admin":
  414. self.update_user_groups(
  415. user=user,
  416. user_data=user_data,
  417. default_permissions=request.app.state.config.USER_PERMISSIONS,
  418. )
  419. # Set the cookie token
  420. response.set_cookie(
  421. key="token",
  422. value=jwt_token,
  423. httponly=True, # Ensures the cookie is not accessible via JavaScript
  424. samesite=WEBUI_AUTH_COOKIE_SAME_SITE,
  425. secure=WEBUI_AUTH_COOKIE_SECURE,
  426. )
  427. if ENABLE_OAUTH_SIGNUP.value:
  428. oauth_id_token = token.get("id_token")
  429. response.set_cookie(
  430. key="oauth_id_token",
  431. value=oauth_id_token,
  432. httponly=True,
  433. samesite=WEBUI_AUTH_COOKIE_SAME_SITE,
  434. secure=WEBUI_AUTH_COOKIE_SECURE,
  435. )
  436. # Redirect back to the frontend with the JWT token
  437. redirect_url = f"{request.base_url}auth#token={jwt_token}"
  438. return RedirectResponse(url=redirect_url, headers=response.headers)