oauth.py 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397
  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
  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. OAUTH_ROLES_CLAIM,
  25. OAUTH_GROUPS_CLAIM,
  26. OAUTH_EMAIL_CLAIM,
  27. OAUTH_PICTURE_CLAIM,
  28. OAUTH_USERNAME_CLAIM,
  29. OAUTH_ALLOWED_ROLES,
  30. OAUTH_ADMIN_ROLES,
  31. OAUTH_ALLOWED_DOMAINS,
  32. WEBHOOK_URL,
  33. JWT_EXPIRES_IN,
  34. AppConfig,
  35. )
  36. from open_webui.constants import ERROR_MESSAGES, WEBHOOK_MESSAGES
  37. from open_webui.env import (
  38. WEBUI_NAME,
  39. WEBUI_AUTH_COOKIE_SAME_SITE,
  40. WEBUI_AUTH_COOKIE_SECURE,
  41. )
  42. from open_webui.utils.misc import parse_duration
  43. from open_webui.utils.auth import get_password_hash, create_token
  44. from open_webui.utils.webhook import post_webhook
  45. from open_webui.env import SRC_LOG_LEVELS, GLOBAL_LOG_LEVEL
  46. logging.basicConfig(stream=sys.stdout, level=GLOBAL_LOG_LEVEL)
  47. log = logging.getLogger(__name__)
  48. log.setLevel(SRC_LOG_LEVELS["OAUTH"])
  49. auth_manager_config = AppConfig()
  50. auth_manager_config.DEFAULT_USER_ROLE = DEFAULT_USER_ROLE
  51. auth_manager_config.ENABLE_OAUTH_SIGNUP = ENABLE_OAUTH_SIGNUP
  52. auth_manager_config.OAUTH_MERGE_ACCOUNTS_BY_EMAIL = OAUTH_MERGE_ACCOUNTS_BY_EMAIL
  53. auth_manager_config.ENABLE_OAUTH_ROLE_MANAGEMENT = ENABLE_OAUTH_ROLE_MANAGEMENT
  54. auth_manager_config.ENABLE_OAUTH_GROUP_MANAGEMENT = ENABLE_OAUTH_GROUP_MANAGEMENT
  55. auth_manager_config.OAUTH_ROLES_CLAIM = OAUTH_ROLES_CLAIM
  56. auth_manager_config.OAUTH_GROUPS_CLAIM = OAUTH_GROUPS_CLAIM
  57. auth_manager_config.OAUTH_EMAIL_CLAIM = OAUTH_EMAIL_CLAIM
  58. auth_manager_config.OAUTH_PICTURE_CLAIM = OAUTH_PICTURE_CLAIM
  59. auth_manager_config.OAUTH_USERNAME_CLAIM = OAUTH_USERNAME_CLAIM
  60. auth_manager_config.OAUTH_ALLOWED_ROLES = OAUTH_ALLOWED_ROLES
  61. auth_manager_config.OAUTH_ADMIN_ROLES = OAUTH_ADMIN_ROLES
  62. auth_manager_config.OAUTH_ALLOWED_DOMAINS = OAUTH_ALLOWED_DOMAINS
  63. auth_manager_config.WEBHOOK_URL = WEBHOOK_URL
  64. auth_manager_config.JWT_EXPIRES_IN = JWT_EXPIRES_IN
  65. class OAuthManager:
  66. def __init__(self, app):
  67. self.oauth = OAuth()
  68. self.app = app
  69. for _, provider_config in OAUTH_PROVIDERS.items():
  70. provider_config["register"](self.oauth)
  71. def get_client(self, provider_name):
  72. return self.oauth.create_client(provider_name)
  73. def get_user_role(self, user, user_data):
  74. if user and Users.get_num_users() == 1:
  75. # If the user is the only user, assign the role "admin" - actually repairs role for single user on login
  76. log.debug("Assigning the only user the admin role")
  77. return "admin"
  78. if not user and Users.get_num_users() == 0:
  79. # If there are no users, assign the role "admin", as the first user will be an admin
  80. log.debug("Assigning the first user the admin role")
  81. return "admin"
  82. if auth_manager_config.ENABLE_OAUTH_ROLE_MANAGEMENT:
  83. log.debug("Running OAUTH Role management")
  84. oauth_claim = auth_manager_config.OAUTH_ROLES_CLAIM
  85. oauth_allowed_roles = auth_manager_config.OAUTH_ALLOWED_ROLES
  86. oauth_admin_roles = auth_manager_config.OAUTH_ADMIN_ROLES
  87. oauth_roles = None
  88. # Default/fallback role if no matching roles are found
  89. role = auth_manager_config.DEFAULT_USER_ROLE
  90. # Next block extracts the roles from the user data, accepting nested claims of any depth
  91. if oauth_claim and oauth_allowed_roles and oauth_admin_roles:
  92. claim_data = user_data
  93. nested_claims = oauth_claim.split(".")
  94. for nested_claim in nested_claims:
  95. claim_data = claim_data.get(nested_claim, {})
  96. oauth_roles = claim_data if isinstance(claim_data, list) else None
  97. log.debug(f"Oauth Roles claim: {oauth_claim}")
  98. log.debug(f"User roles from oauth: {oauth_roles}")
  99. log.debug(f"Accepted user roles: {oauth_allowed_roles}")
  100. log.debug(f"Accepted admin roles: {oauth_admin_roles}")
  101. # If any roles are found, check if they match the allowed or admin roles
  102. if oauth_roles:
  103. # If role management is enabled, and matching roles are provided, use the roles
  104. for allowed_role in oauth_allowed_roles:
  105. # If the user has any of the allowed roles, assign the role "user"
  106. if allowed_role in oauth_roles:
  107. log.debug("Assigned user the user role")
  108. role = "user"
  109. break
  110. for admin_role in oauth_admin_roles:
  111. # If the user has any of the admin roles, assign the role "admin"
  112. if admin_role in oauth_roles:
  113. log.debug("Assigned user the admin role")
  114. role = "admin"
  115. break
  116. else:
  117. if not user:
  118. # If role management is disabled, use the default role for new users
  119. role = auth_manager_config.DEFAULT_USER_ROLE
  120. else:
  121. # If role management is disabled, use the existing role for existing users
  122. role = user.role
  123. return role
  124. def update_user_groups(self, user, user_data, default_permissions):
  125. log.debug("Running OAUTH Group management")
  126. oauth_claim = auth_manager_config.OAUTH_GROUPS_CLAIM
  127. user_oauth_groups: list[str] = user_data.get(oauth_claim, list())
  128. user_current_groups: list[GroupModel] = Groups.get_groups_by_member_id(user.id)
  129. all_available_groups: list[GroupModel] = Groups.get_groups()
  130. log.debug(f"Oauth Groups claim: {oauth_claim}")
  131. log.debug(f"User oauth groups: {user_oauth_groups}")
  132. log.debug(f"User's current groups: {[g.name for g in user_current_groups]}")
  133. log.debug(
  134. f"All groups available in OpenWebUI: {[g.name for g in all_available_groups]}"
  135. )
  136. # Remove groups that user is no longer a part of
  137. for group_model in user_current_groups:
  138. if group_model.name not in user_oauth_groups:
  139. # Remove group from user
  140. log.debug(
  141. f"Removing user from group {group_model.name} as it is no longer in their oauth groups"
  142. )
  143. user_ids = group_model.user_ids
  144. user_ids = [i for i in user_ids if i != user.id]
  145. # In case a group is created, but perms are never assigned to the group by hitting "save"
  146. group_permissions = group_model.permissions
  147. if not group_permissions:
  148. group_permissions = default_permissions
  149. update_form = GroupUpdateForm(
  150. name=group_model.name,
  151. description=group_model.description,
  152. permissions=group_permissions,
  153. user_ids=user_ids,
  154. )
  155. Groups.update_group_by_id(
  156. id=group_model.id, form_data=update_form, overwrite=False
  157. )
  158. # Add user to new groups
  159. for group_model in all_available_groups:
  160. if group_model.name in user_oauth_groups and not any(
  161. gm.name == group_model.name for gm in user_current_groups
  162. ):
  163. # Add user to group
  164. log.debug(
  165. f"Adding user to group {group_model.name} as it was found in their oauth groups"
  166. )
  167. user_ids = group_model.user_ids
  168. user_ids.append(user.id)
  169. # In case a group is created, but perms are never assigned to the group by hitting "save"
  170. group_permissions = group_model.permissions
  171. if not group_permissions:
  172. group_permissions = default_permissions
  173. update_form = GroupUpdateForm(
  174. name=group_model.name,
  175. description=group_model.description,
  176. permissions=group_permissions,
  177. user_ids=user_ids,
  178. )
  179. Groups.update_group_by_id(
  180. id=group_model.id, form_data=update_form, overwrite=False
  181. )
  182. async def handle_login(self, request, provider):
  183. if provider not in OAUTH_PROVIDERS:
  184. raise HTTPException(404)
  185. # If the provider has a custom redirect URL, use that, otherwise automatically generate one
  186. redirect_uri = OAUTH_PROVIDERS[provider].get("redirect_uri") or request.url_for(
  187. "oauth_callback", provider=provider
  188. )
  189. client = self.get_client(provider)
  190. if client is None:
  191. raise HTTPException(404)
  192. return await client.authorize_redirect(request, redirect_uri)
  193. async def handle_callback(self, request, provider, response):
  194. if provider not in OAUTH_PROVIDERS:
  195. raise HTTPException(404)
  196. client = self.get_client(provider)
  197. try:
  198. token = await client.authorize_access_token(request)
  199. except Exception as e:
  200. log.warning(f"OAuth callback error: {e}")
  201. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  202. user_data: UserInfo = token.get("userinfo")
  203. if not user_data or "email" not in user_data:
  204. user_data: UserInfo = await client.userinfo(token=token)
  205. if not user_data:
  206. log.warning(f"OAuth callback failed, user data is missing: {token}")
  207. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  208. sub = user_data.get(OAUTH_PROVIDERS[provider].get("sub_claim", "sub"))
  209. if not sub:
  210. log.warning(f"OAuth callback failed, sub is missing: {user_data}")
  211. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  212. provider_sub = f"{provider}@{sub}"
  213. email_claim = auth_manager_config.OAUTH_EMAIL_CLAIM
  214. email = user_data.get(email_claim, "").lower()
  215. # We currently mandate that email addresses are provided
  216. if not email:
  217. log.warning(f"OAuth callback failed, email is missing: {user_data}")
  218. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  219. if (
  220. "*" not in auth_manager_config.OAUTH_ALLOWED_DOMAINS
  221. and email.split("@")[-1] not in auth_manager_config.OAUTH_ALLOWED_DOMAINS
  222. ):
  223. log.warning(
  224. f"OAuth callback failed, e-mail domain is not in the list of allowed domains: {user_data}"
  225. )
  226. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  227. # Check if the user exists
  228. user = Users.get_user_by_oauth_sub(provider_sub)
  229. if not user:
  230. # If the user does not exist, check if merging is enabled
  231. if auth_manager_config.OAUTH_MERGE_ACCOUNTS_BY_EMAIL:
  232. # Check if the user exists by email
  233. user = Users.get_user_by_email(email)
  234. if user:
  235. # Update the user with the new oauth sub
  236. Users.update_user_oauth_sub_by_id(user.id, provider_sub)
  237. if user:
  238. determined_role = self.get_user_role(user, user_data)
  239. if user.role != determined_role:
  240. Users.update_user_role_by_id(user.id, determined_role)
  241. if not user:
  242. user_count = Users.get_num_users()
  243. if (
  244. request.app.state.USER_COUNT
  245. and user_count >= request.app.state.USER_COUNT
  246. ):
  247. raise HTTPException(
  248. 403,
  249. detail=ERROR_MESSAGES.ACCESS_PROHIBITED,
  250. )
  251. # If the user does not exist, check if signups are enabled
  252. if auth_manager_config.ENABLE_OAUTH_SIGNUP:
  253. # Check if an existing user with the same email already exists
  254. existing_user = Users.get_user_by_email(email)
  255. if existing_user:
  256. raise HTTPException(400, detail=ERROR_MESSAGES.EMAIL_TAKEN)
  257. picture_claim = auth_manager_config.OAUTH_PICTURE_CLAIM
  258. picture_url = user_data.get(
  259. picture_claim, OAUTH_PROVIDERS[provider].get("picture_url", "")
  260. )
  261. if picture_url:
  262. # Download the profile image into a base64 string
  263. try:
  264. access_token = token.get("access_token")
  265. get_kwargs = {}
  266. if access_token:
  267. get_kwargs["headers"] = {
  268. "Authorization": f"Bearer {access_token}",
  269. }
  270. async with aiohttp.ClientSession() as session:
  271. async with session.get(picture_url, **get_kwargs) as resp:
  272. if resp.ok:
  273. picture = await resp.read()
  274. base64_encoded_picture = base64.b64encode(
  275. picture
  276. ).decode("utf-8")
  277. guessed_mime_type = mimetypes.guess_type(
  278. picture_url
  279. )[0]
  280. if guessed_mime_type is None:
  281. # assume JPG, browsers are tolerant enough of image formats
  282. guessed_mime_type = "image/jpeg"
  283. picture_url = f"data:{guessed_mime_type};base64,{base64_encoded_picture}"
  284. else:
  285. picture_url = "/user.png"
  286. except Exception as e:
  287. log.error(
  288. f"Error downloading profile image '{picture_url}': {e}"
  289. )
  290. picture_url = "/user.png"
  291. if not picture_url:
  292. picture_url = "/user.png"
  293. username_claim = auth_manager_config.OAUTH_USERNAME_CLAIM
  294. name = user_data.get(username_claim)
  295. if not name:
  296. log.warning("Username claim is missing, using email as name")
  297. name = email
  298. role = self.get_user_role(None, user_data)
  299. user = Auths.insert_new_auth(
  300. email=email,
  301. password=get_password_hash(
  302. str(uuid.uuid4())
  303. ), # Random password, not used
  304. name=name,
  305. profile_image_url=picture_url,
  306. role=role,
  307. oauth_sub=provider_sub,
  308. )
  309. if auth_manager_config.WEBHOOK_URL:
  310. post_webhook(
  311. WEBUI_NAME,
  312. auth_manager_config.WEBHOOK_URL,
  313. WEBHOOK_MESSAGES.USER_SIGNUP(user.name),
  314. {
  315. "action": "signup",
  316. "message": WEBHOOK_MESSAGES.USER_SIGNUP(user.name),
  317. "user": user.model_dump_json(exclude_none=True),
  318. },
  319. )
  320. else:
  321. raise HTTPException(
  322. status.HTTP_403_FORBIDDEN, detail=ERROR_MESSAGES.ACCESS_PROHIBITED
  323. )
  324. jwt_token = create_token(
  325. data={"id": user.id},
  326. expires_delta=parse_duration(auth_manager_config.JWT_EXPIRES_IN),
  327. )
  328. if auth_manager_config.ENABLE_OAUTH_GROUP_MANAGEMENT and user.role != "admin":
  329. self.update_user_groups(
  330. user=user,
  331. user_data=user_data,
  332. default_permissions=request.app.state.config.USER_PERMISSIONS,
  333. )
  334. # Set the cookie token
  335. response.set_cookie(
  336. key="token",
  337. value=jwt_token,
  338. httponly=True, # Ensures the cookie is not accessible via JavaScript
  339. samesite=WEBUI_AUTH_COOKIE_SAME_SITE,
  340. secure=WEBUI_AUTH_COOKIE_SECURE,
  341. )
  342. if ENABLE_OAUTH_SIGNUP.value:
  343. oauth_id_token = token.get("id_token")
  344. response.set_cookie(
  345. key="oauth_id_token",
  346. value=oauth_id_token,
  347. httponly=True,
  348. samesite=WEBUI_AUTH_COOKIE_SAME_SITE,
  349. secure=WEBUI_AUTH_COOKIE_SECURE,
  350. )
  351. # Redirect back to the frontend with the JWT token
  352. redirect_url = f"{request.base_url}auth#token={jwt_token}"
  353. return RedirectResponse(url=redirect_url, headers=response.headers)