oauth.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333
  1. import base64
  2. import logging
  3. import mimetypes
  4. import uuid
  5. import aiohttp
  6. from authlib.integrations.starlette_client import OAuth
  7. from authlib.oidc.core import UserInfo
  8. from fastapi import (
  9. HTTPException,
  10. status,
  11. )
  12. from starlette.responses import RedirectResponse
  13. from open_webui.models.auths import Auths
  14. from open_webui.models.users import Users
  15. from open_webui.models.groups import Groups, GroupModel, GroupUpdateForm
  16. from open_webui.config import (
  17. DEFAULT_USER_ROLE,
  18. ENABLE_OAUTH_SIGNUP,
  19. OAUTH_MERGE_ACCOUNTS_BY_EMAIL,
  20. OAUTH_PROVIDERS,
  21. ENABLE_OAUTH_ROLE_MANAGEMENT,
  22. ENABLE_OAUTH_GROUP_MANAGEMENT,
  23. OAUTH_ROLES_CLAIM,
  24. OAUTH_GROUPS_CLAIM,
  25. OAUTH_EMAIL_CLAIM,
  26. OAUTH_PICTURE_CLAIM,
  27. OAUTH_USERNAME_CLAIM,
  28. OAUTH_ALLOWED_ROLES,
  29. OAUTH_ADMIN_ROLES,
  30. OAUTH_ALLOWED_DOMAINS,
  31. WEBHOOK_URL,
  32. JWT_EXPIRES_IN,
  33. AppConfig,
  34. )
  35. from open_webui.constants import ERROR_MESSAGES
  36. from open_webui.env import WEBUI_SESSION_COOKIE_SAME_SITE, WEBUI_SESSION_COOKIE_SECURE
  37. from open_webui.utils.misc import parse_duration
  38. from open_webui.utils.auth import get_password_hash, create_token
  39. from open_webui.utils.webhook import post_webhook
  40. log = logging.getLogger(__name__)
  41. auth_manager_config = AppConfig()
  42. auth_manager_config.DEFAULT_USER_ROLE = DEFAULT_USER_ROLE
  43. auth_manager_config.ENABLE_OAUTH_SIGNUP = ENABLE_OAUTH_SIGNUP
  44. auth_manager_config.OAUTH_MERGE_ACCOUNTS_BY_EMAIL = OAUTH_MERGE_ACCOUNTS_BY_EMAIL
  45. auth_manager_config.ENABLE_OAUTH_ROLE_MANAGEMENT = ENABLE_OAUTH_ROLE_MANAGEMENT
  46. auth_manager_config.ENABLE_OAUTH_GROUP_MANAGEMENT = ENABLE_OAUTH_GROUP_MANAGEMENT
  47. auth_manager_config.OAUTH_ROLES_CLAIM = OAUTH_ROLES_CLAIM
  48. auth_manager_config.OAUTH_GROUPS_CLAIM = OAUTH_GROUPS_CLAIM
  49. auth_manager_config.OAUTH_EMAIL_CLAIM = OAUTH_EMAIL_CLAIM
  50. auth_manager_config.OAUTH_PICTURE_CLAIM = OAUTH_PICTURE_CLAIM
  51. auth_manager_config.OAUTH_USERNAME_CLAIM = OAUTH_USERNAME_CLAIM
  52. auth_manager_config.OAUTH_ALLOWED_ROLES = OAUTH_ALLOWED_ROLES
  53. auth_manager_config.OAUTH_ADMIN_ROLES = OAUTH_ADMIN_ROLES
  54. auth_manager_config.OAUTH_ALLOWED_DOMAINS = OAUTH_ALLOWED_DOMAINS
  55. auth_manager_config.WEBHOOK_URL = WEBHOOK_URL
  56. auth_manager_config.JWT_EXPIRES_IN = JWT_EXPIRES_IN
  57. class OAuthManager:
  58. def __init__(self):
  59. self.oauth = OAuth()
  60. for provider_name, provider_config in OAUTH_PROVIDERS.items():
  61. self.oauth.register(
  62. name=provider_name,
  63. client_id=provider_config["client_id"],
  64. client_secret=provider_config["client_secret"],
  65. server_metadata_url=provider_config["server_metadata_url"],
  66. client_kwargs={
  67. "scope": provider_config["scope"],
  68. },
  69. redirect_uri=provider_config["redirect_uri"],
  70. )
  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. return "admin"
  77. if not user and Users.get_num_users() == 0:
  78. # If there are no users, assign the role "admin", as the first user will be an admin
  79. return "admin"
  80. if auth_manager_config.ENABLE_OAUTH_ROLE_MANAGEMENT:
  81. oauth_claim = auth_manager_config.OAUTH_ROLES_CLAIM
  82. oauth_allowed_roles = auth_manager_config.OAUTH_ALLOWED_ROLES
  83. oauth_admin_roles = auth_manager_config.OAUTH_ADMIN_ROLES
  84. oauth_roles = None
  85. role = "pending" # Default/fallback role if no matching roles are found
  86. # Next block extracts the roles from the user data, accepting nested claims of any depth
  87. if oauth_claim and oauth_allowed_roles and oauth_admin_roles:
  88. claim_data = user_data
  89. nested_claims = oauth_claim.split(".")
  90. for nested_claim in nested_claims:
  91. claim_data = claim_data.get(nested_claim, {})
  92. oauth_roles = claim_data if isinstance(claim_data, list) else None
  93. # If any roles are found, check if they match the allowed or admin roles
  94. if oauth_roles:
  95. # If role management is enabled, and matching roles are provided, use the roles
  96. for allowed_role in oauth_allowed_roles:
  97. # If the user has any of the allowed roles, assign the role "user"
  98. if allowed_role in oauth_roles:
  99. role = "user"
  100. break
  101. for admin_role in oauth_admin_roles:
  102. # If the user has any of the admin roles, assign the role "admin"
  103. if admin_role in oauth_roles:
  104. role = "admin"
  105. break
  106. else:
  107. if not user:
  108. # If role management is disabled, use the default role for new users
  109. role = auth_manager_config.DEFAULT_USER_ROLE
  110. else:
  111. # If role management is disabled, use the existing role for existing users
  112. role = user.role
  113. return role
  114. def update_user_groups(self, user, user_data, default_permissions):
  115. oauth_claim = auth_manager_config.OAUTH_GROUPS_CLAIM
  116. user_oauth_groups: list[str] = user_data.get(oauth_claim, list())
  117. user_current_groups: list[GroupModel] = Groups.get_groups_by_member_id(user.id)
  118. all_available_groups: list[GroupModel] = Groups.get_groups()
  119. # Remove groups that user is no longer a part of
  120. for group_model in user_current_groups:
  121. if group_model.name not in user_oauth_groups:
  122. # Remove group from user
  123. user_ids = group_model.user_ids
  124. user_ids = [i for i in user_ids if i != user.id]
  125. # In case a group is created, but perms are never assigned to the group by hitting "save"
  126. group_permissions = group_model.permissions
  127. if not group_permissions:
  128. group_permissions = default_permissions
  129. update_form = GroupUpdateForm(name=group_model.name, description=group_model.description,
  130. permissions=group_permissions,
  131. user_ids=user_ids)
  132. Groups.update_group_by_id(id=group_model.id, form_data=update_form, overwrite=False)
  133. # Add user to new groups
  134. for group_model in all_available_groups:
  135. if group_model.name in user_oauth_groups and not any(gm.name == group_model.name for gm in user_current_groups):
  136. # Add user to group
  137. user_ids = group_model.user_ids
  138. user_ids.append(user.id)
  139. # In case a group is created, but perms are never assigned to the group by hitting "save"
  140. group_permissions = group_model.permissions
  141. if not group_permissions:
  142. group_permissions = default_permissions
  143. update_form = GroupUpdateForm(name=group_model.name, description=group_model.description,
  144. permissions=group_permissions,
  145. user_ids=user_ids)
  146. Groups.update_group_by_id(id=group_model.id, form_data=update_form, overwrite=False)
  147. async def handle_login(self, provider, request):
  148. if provider not in OAUTH_PROVIDERS:
  149. raise HTTPException(404)
  150. # If the provider has a custom redirect URL, use that, otherwise automatically generate one
  151. redirect_uri = OAUTH_PROVIDERS[provider].get("redirect_uri") or request.url_for(
  152. "oauth_callback", provider=provider
  153. )
  154. client = self.get_client(provider)
  155. if client is None:
  156. raise HTTPException(404)
  157. return await client.authorize_redirect(request, redirect_uri)
  158. async def handle_callback(self, provider, request, response):
  159. if provider not in OAUTH_PROVIDERS:
  160. raise HTTPException(404)
  161. client = self.get_client(provider)
  162. try:
  163. token = await client.authorize_access_token(request)
  164. except Exception as e:
  165. log.warning(f"OAuth callback error: {e}")
  166. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  167. user_data: UserInfo = token["userinfo"]
  168. if not user_data:
  169. user_data: UserInfo = await client.userinfo(token=token)
  170. if not user_data:
  171. log.warning(f"OAuth callback failed, user data is missing: {token}")
  172. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  173. sub = user_data.get("sub")
  174. if not sub:
  175. log.warning(f"OAuth callback failed, sub is missing: {user_data}")
  176. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  177. provider_sub = f"{provider}@{sub}"
  178. email_claim = auth_manager_config.OAUTH_EMAIL_CLAIM
  179. email = user_data.get(email_claim, "").lower()
  180. # We currently mandate that email addresses are provided
  181. if not email:
  182. log.warning(f"OAuth callback failed, email is missing: {user_data}")
  183. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  184. if (
  185. "*" not in auth_manager_config.OAUTH_ALLOWED_DOMAINS
  186. and email.split("@")[-1] not in auth_manager_config.OAUTH_ALLOWED_DOMAINS
  187. ):
  188. log.warning(
  189. f"OAuth callback failed, e-mail domain is not in the list of allowed domains: {user_data}"
  190. )
  191. raise HTTPException(400, detail=ERROR_MESSAGES.INVALID_CRED)
  192. # Check if the user exists
  193. user = Users.get_user_by_oauth_sub(provider_sub)
  194. if not user:
  195. # If the user does not exist, check if merging is enabled
  196. if auth_manager_config.OAUTH_MERGE_ACCOUNTS_BY_EMAIL:
  197. # Check if the user exists by email
  198. user = Users.get_user_by_email(email)
  199. if user:
  200. # Update the user with the new oauth sub
  201. Users.update_user_oauth_sub_by_id(user.id, provider_sub)
  202. if user:
  203. determined_role = self.get_user_role(user, user_data)
  204. if user.role != determined_role:
  205. Users.update_user_role_by_id(user.id, determined_role)
  206. if not user:
  207. # If the user does not exist, check if signups are enabled
  208. if auth_manager_config.ENABLE_OAUTH_SIGNUP:
  209. # Check if an existing user with the same email already exists
  210. existing_user = Users.get_user_by_email(
  211. user_data.get("email", "").lower()
  212. )
  213. if existing_user:
  214. raise HTTPException(400, detail=ERROR_MESSAGES.EMAIL_TAKEN)
  215. picture_claim = auth_manager_config.OAUTH_PICTURE_CLAIM
  216. picture_url = user_data.get(picture_claim, "")
  217. if picture_url:
  218. # Download the profile image into a base64 string
  219. try:
  220. async with aiohttp.ClientSession() as session:
  221. async with session.get(picture_url) as resp:
  222. picture = await resp.read()
  223. base64_encoded_picture = base64.b64encode(
  224. picture
  225. ).decode("utf-8")
  226. guessed_mime_type = mimetypes.guess_type(picture_url)[0]
  227. if guessed_mime_type is None:
  228. # assume JPG, browsers are tolerant enough of image formats
  229. guessed_mime_type = "image/jpeg"
  230. picture_url = f"data:{guessed_mime_type};base64,{base64_encoded_picture}"
  231. except Exception as e:
  232. log.error(
  233. f"Error downloading profile image '{picture_url}': {e}"
  234. )
  235. picture_url = ""
  236. if not picture_url:
  237. picture_url = "/user.png"
  238. username_claim = auth_manager_config.OAUTH_USERNAME_CLAIM
  239. role = self.get_user_role(None, user_data)
  240. user = Auths.insert_new_auth(
  241. email=email,
  242. password=get_password_hash(
  243. str(uuid.uuid4())
  244. ), # Random password, not used
  245. name=user_data.get(username_claim, "User"),
  246. profile_image_url=picture_url,
  247. role=role,
  248. oauth_sub=provider_sub,
  249. )
  250. if auth_manager_config.WEBHOOK_URL:
  251. post_webhook(
  252. auth_manager_config.WEBHOOK_URL,
  253. auth_manager_config.WEBHOOK_MESSAGES.USER_SIGNUP(user.name),
  254. {
  255. "action": "signup",
  256. "message": auth_manager_config.WEBHOOK_MESSAGES.USER_SIGNUP(
  257. user.name
  258. ),
  259. "user": user.model_dump_json(exclude_none=True),
  260. },
  261. )
  262. else:
  263. raise HTTPException(
  264. status.HTTP_403_FORBIDDEN, detail=ERROR_MESSAGES.ACCESS_PROHIBITED
  265. )
  266. jwt_token = create_token(
  267. data={"id": user.id},
  268. expires_delta=parse_duration(auth_manager_config.JWT_EXPIRES_IN),
  269. )
  270. if auth_manager_config.ENABLE_OAUTH_GROUP_MANAGEMENT:
  271. self.update_user_groups(user=user, user_data=user_data,
  272. default_permissions=request.app.state.config.USER_PERMISSIONS)
  273. # Set the cookie token
  274. response.set_cookie(
  275. key="token",
  276. value=jwt_token,
  277. httponly=True, # Ensures the cookie is not accessible via JavaScript
  278. samesite=WEBUI_SESSION_COOKIE_SAME_SITE,
  279. secure=WEBUI_SESSION_COOKIE_SECURE,
  280. )
  281. if ENABLE_OAUTH_SIGNUP.value:
  282. oauth_id_token = token.get("id_token")
  283. response.set_cookie(
  284. key="oauth_id_token",
  285. value=oauth_id_token,
  286. httponly=True,
  287. samesite=WEBUI_SESSION_COOKIE_SAME_SITE,
  288. secure=WEBUI_SESSION_COOKIE_SECURE,
  289. )
  290. # Redirect back to the frontend with the JWT token
  291. redirect_url = f"{request.base_url}auth#token={jwt_token}"
  292. return RedirectResponse(url=redirect_url, headers=response.headers)
  293. oauth_manager = OAuthManager()