886 lines
27 KiB
Python
886 lines
27 KiB
Python
"""
|
|
SCIM 2.0 Implementation for Open WebUI
|
|
Provides System for Cross-domain Identity Management endpoints for users and groups
|
|
"""
|
|
|
|
import logging
|
|
import uuid
|
|
import time
|
|
from typing import Optional, List, Dict, Any
|
|
from datetime import datetime, timezone
|
|
|
|
from fastapi import APIRouter, Depends, HTTPException, Request, Query, Header, status
|
|
from pydantic import BaseModel, Field, ConfigDict
|
|
|
|
from open_webui.models.users import Users, UserModel
|
|
from open_webui.models.groups import Groups, GroupModel
|
|
from open_webui.utils.auth import get_admin_user, get_current_user, decode_token
|
|
from open_webui.constants import ERROR_MESSAGES
|
|
from open_webui.env import SRC_LOG_LEVELS
|
|
|
|
log = logging.getLogger(__name__)
|
|
log.setLevel(SRC_LOG_LEVELS["MAIN"])
|
|
|
|
router = APIRouter()
|
|
|
|
# SCIM 2.0 Schema URIs
|
|
SCIM_USER_SCHEMA = "urn:ietf:params:scim:schemas:core:2.0:User"
|
|
SCIM_GROUP_SCHEMA = "urn:ietf:params:scim:schemas:core:2.0:Group"
|
|
SCIM_LIST_RESPONSE_SCHEMA = "urn:ietf:params:scim:api:messages:2.0:ListResponse"
|
|
SCIM_ERROR_SCHEMA = "urn:ietf:params:scim:api:messages:2.0:Error"
|
|
|
|
# SCIM Resource Types
|
|
SCIM_RESOURCE_TYPE_USER = "User"
|
|
SCIM_RESOURCE_TYPE_GROUP = "Group"
|
|
|
|
|
|
class SCIMError(BaseModel):
|
|
"""SCIM Error Response"""
|
|
schemas: List[str] = [SCIM_ERROR_SCHEMA]
|
|
status: str
|
|
scimType: Optional[str] = None
|
|
detail: Optional[str] = None
|
|
|
|
|
|
class SCIMMeta(BaseModel):
|
|
"""SCIM Resource Metadata"""
|
|
resourceType: str
|
|
created: str
|
|
lastModified: str
|
|
location: Optional[str] = None
|
|
version: Optional[str] = None
|
|
|
|
|
|
class SCIMName(BaseModel):
|
|
"""SCIM User Name"""
|
|
formatted: Optional[str] = None
|
|
familyName: Optional[str] = None
|
|
givenName: Optional[str] = None
|
|
middleName: Optional[str] = None
|
|
honorificPrefix: Optional[str] = None
|
|
honorificSuffix: Optional[str] = None
|
|
|
|
|
|
class SCIMEmail(BaseModel):
|
|
"""SCIM Email"""
|
|
value: str
|
|
type: Optional[str] = "work"
|
|
primary: bool = True
|
|
display: Optional[str] = None
|
|
|
|
|
|
class SCIMPhoto(BaseModel):
|
|
"""SCIM Photo"""
|
|
value: str
|
|
type: Optional[str] = "photo"
|
|
primary: bool = True
|
|
display: Optional[str] = None
|
|
|
|
|
|
class SCIMGroupMember(BaseModel):
|
|
"""SCIM Group Member"""
|
|
value: str # User ID
|
|
ref: Optional[str] = Field(None, alias="$ref")
|
|
type: Optional[str] = "User"
|
|
display: Optional[str] = None
|
|
|
|
|
|
class SCIMUser(BaseModel):
|
|
"""SCIM User Resource"""
|
|
model_config = ConfigDict(populate_by_name=True)
|
|
|
|
schemas: List[str] = [SCIM_USER_SCHEMA]
|
|
id: str
|
|
externalId: Optional[str] = None
|
|
userName: str
|
|
name: Optional[SCIMName] = None
|
|
displayName: str
|
|
emails: List[SCIMEmail]
|
|
active: bool = True
|
|
photos: Optional[List[SCIMPhoto]] = None
|
|
groups: Optional[List[Dict[str, str]]] = None
|
|
meta: SCIMMeta
|
|
|
|
|
|
class SCIMUserCreateRequest(BaseModel):
|
|
"""SCIM User Create Request"""
|
|
model_config = ConfigDict(populate_by_name=True)
|
|
|
|
schemas: List[str] = [SCIM_USER_SCHEMA]
|
|
externalId: Optional[str] = None
|
|
userName: str
|
|
name: Optional[SCIMName] = None
|
|
displayName: str
|
|
emails: List[SCIMEmail]
|
|
active: bool = True
|
|
password: Optional[str] = None
|
|
photos: Optional[List[SCIMPhoto]] = None
|
|
|
|
|
|
class SCIMUserUpdateRequest(BaseModel):
|
|
"""SCIM User Update Request"""
|
|
model_config = ConfigDict(populate_by_name=True)
|
|
|
|
schemas: List[str] = [SCIM_USER_SCHEMA]
|
|
id: Optional[str] = None
|
|
externalId: Optional[str] = None
|
|
userName: Optional[str] = None
|
|
name: Optional[SCIMName] = None
|
|
displayName: Optional[str] = None
|
|
emails: Optional[List[SCIMEmail]] = None
|
|
active: Optional[bool] = None
|
|
photos: Optional[List[SCIMPhoto]] = None
|
|
|
|
|
|
class SCIMGroup(BaseModel):
|
|
"""SCIM Group Resource"""
|
|
model_config = ConfigDict(populate_by_name=True)
|
|
|
|
schemas: List[str] = [SCIM_GROUP_SCHEMA]
|
|
id: str
|
|
displayName: str
|
|
members: Optional[List[SCIMGroupMember]] = []
|
|
meta: SCIMMeta
|
|
|
|
|
|
class SCIMGroupCreateRequest(BaseModel):
|
|
"""SCIM Group Create Request"""
|
|
model_config = ConfigDict(populate_by_name=True)
|
|
|
|
schemas: List[str] = [SCIM_GROUP_SCHEMA]
|
|
displayName: str
|
|
members: Optional[List[SCIMGroupMember]] = []
|
|
|
|
|
|
class SCIMGroupUpdateRequest(BaseModel):
|
|
"""SCIM Group Update Request"""
|
|
model_config = ConfigDict(populate_by_name=True)
|
|
|
|
schemas: List[str] = [SCIM_GROUP_SCHEMA]
|
|
displayName: Optional[str] = None
|
|
members: Optional[List[SCIMGroupMember]] = None
|
|
|
|
|
|
class SCIMListResponse(BaseModel):
|
|
"""SCIM List Response"""
|
|
schemas: List[str] = [SCIM_LIST_RESPONSE_SCHEMA]
|
|
totalResults: int
|
|
itemsPerPage: int
|
|
startIndex: int
|
|
Resources: List[Any]
|
|
|
|
|
|
class SCIMPatchOperation(BaseModel):
|
|
"""SCIM Patch Operation"""
|
|
op: str # "add", "replace", "remove"
|
|
path: Optional[str] = None
|
|
value: Optional[Any] = None
|
|
|
|
|
|
class SCIMPatchRequest(BaseModel):
|
|
"""SCIM Patch Request"""
|
|
schemas: List[str] = ["urn:ietf:params:scim:api:messages:2.0:PatchOp"]
|
|
Operations: List[SCIMPatchOperation]
|
|
|
|
|
|
def get_scim_auth(request: Request, authorization: Optional[str] = Header(None)) -> bool:
|
|
"""
|
|
Verify SCIM authentication
|
|
Checks for SCIM-specific bearer token configured in the system
|
|
"""
|
|
if not authorization:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_401_UNAUTHORIZED,
|
|
detail="Authorization header required",
|
|
headers={"WWW-Authenticate": "Bearer"},
|
|
)
|
|
|
|
try:
|
|
parts = authorization.split()
|
|
if len(parts) != 2:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_401_UNAUTHORIZED,
|
|
detail="Invalid authorization format. Expected: Bearer <token>",
|
|
)
|
|
|
|
scheme, token = parts
|
|
if scheme.lower() != "bearer":
|
|
raise HTTPException(
|
|
status_code=status.HTTP_401_UNAUTHORIZED,
|
|
detail="Invalid authentication scheme",
|
|
)
|
|
|
|
# Check if SCIM is enabled
|
|
scim_enabled = getattr(request.app.state.config, "SCIM_ENABLED", False)
|
|
log.info(f"SCIM auth check - raw SCIM_ENABLED: {scim_enabled}, type: {type(scim_enabled)}")
|
|
# Handle both PersistentConfig and direct value
|
|
if hasattr(scim_enabled, 'value'):
|
|
scim_enabled = scim_enabled.value
|
|
log.info(f"SCIM enabled status after conversion: {scim_enabled}")
|
|
if not scim_enabled:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_403_FORBIDDEN,
|
|
detail="SCIM is not enabled",
|
|
)
|
|
|
|
# Verify the SCIM token
|
|
scim_token = getattr(request.app.state.config, "SCIM_TOKEN", None)
|
|
# Handle both PersistentConfig and direct value
|
|
if hasattr(scim_token, 'value'):
|
|
scim_token = scim_token.value
|
|
log.debug(f"SCIM token configured: {bool(scim_token)}")
|
|
if not scim_token or token != scim_token:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_401_UNAUTHORIZED,
|
|
detail="Invalid SCIM token",
|
|
)
|
|
|
|
return True
|
|
except Exception as e:
|
|
log.error(f"SCIM authentication error: {e}")
|
|
raise HTTPException(
|
|
status_code=status.HTTP_401_UNAUTHORIZED,
|
|
detail="Authentication failed",
|
|
)
|
|
|
|
|
|
def user_to_scim(user: UserModel, request: Request) -> SCIMUser:
|
|
"""Convert internal User model to SCIM User"""
|
|
# Parse display name into name components
|
|
name_parts = user.name.split(" ", 1) if user.name else ["", ""]
|
|
given_name = name_parts[0] if name_parts else ""
|
|
family_name = name_parts[1] if len(name_parts) > 1 else ""
|
|
|
|
# Get user's groups
|
|
user_groups = Groups.get_groups_by_member_id(user.id)
|
|
groups = [
|
|
{
|
|
"value": group.id,
|
|
"display": group.name,
|
|
"$ref": f"{request.base_url}api/v1/scim/v2/Groups/{group.id}",
|
|
"type": "direct"
|
|
}
|
|
for group in user_groups
|
|
]
|
|
|
|
return SCIMUser(
|
|
id=user.id,
|
|
userName=user.email,
|
|
name=SCIMName(
|
|
formatted=user.name,
|
|
givenName=given_name,
|
|
familyName=family_name,
|
|
),
|
|
displayName=user.name,
|
|
emails=[SCIMEmail(value=user.email)],
|
|
active=user.role != "pending",
|
|
photos=[SCIMPhoto(value=user.profile_image_url)] if user.profile_image_url else None,
|
|
groups=groups if groups else None,
|
|
meta=SCIMMeta(
|
|
resourceType=SCIM_RESOURCE_TYPE_USER,
|
|
created=datetime.fromtimestamp(user.created_at, tz=timezone.utc).isoformat(),
|
|
lastModified=datetime.fromtimestamp(user.updated_at, tz=timezone.utc).isoformat(),
|
|
location=f"{request.base_url}api/v1/scim/v2/Users/{user.id}",
|
|
),
|
|
)
|
|
|
|
|
|
def group_to_scim(group: GroupModel, request: Request) -> SCIMGroup:
|
|
"""Convert internal Group model to SCIM Group"""
|
|
members = []
|
|
for user_id in group.user_ids:
|
|
user = Users.get_user_by_id(user_id)
|
|
if user:
|
|
members.append(
|
|
SCIMGroupMember(
|
|
value=user.id,
|
|
ref=f"{request.base_url}api/v1/scim/v2/Users/{user.id}",
|
|
display=user.name,
|
|
)
|
|
)
|
|
|
|
return SCIMGroup(
|
|
id=group.id,
|
|
displayName=group.name,
|
|
members=members,
|
|
meta=SCIMMeta(
|
|
resourceType=SCIM_RESOURCE_TYPE_GROUP,
|
|
created=datetime.fromtimestamp(group.created_at, tz=timezone.utc).isoformat(),
|
|
lastModified=datetime.fromtimestamp(group.updated_at, tz=timezone.utc).isoformat(),
|
|
location=f"{request.base_url}api/v1/scim/v2/Groups/{group.id}",
|
|
),
|
|
)
|
|
|
|
|
|
# SCIM Service Provider Config
|
|
@router.get("/ServiceProviderConfig")
|
|
async def get_service_provider_config():
|
|
"""Get SCIM Service Provider Configuration"""
|
|
return {
|
|
"schemas": ["urn:ietf:params:scim:schemas:core:2.0:ServiceProviderConfig"],
|
|
"patch": {
|
|
"supported": True
|
|
},
|
|
"bulk": {
|
|
"supported": False,
|
|
"maxOperations": 1000,
|
|
"maxPayloadSize": 1048576
|
|
},
|
|
"filter": {
|
|
"supported": True,
|
|
"maxResults": 200
|
|
},
|
|
"changePassword": {
|
|
"supported": False
|
|
},
|
|
"sort": {
|
|
"supported": False
|
|
},
|
|
"etag": {
|
|
"supported": False
|
|
},
|
|
"authenticationSchemes": [
|
|
{
|
|
"type": "oauthbearertoken",
|
|
"name": "OAuth Bearer Token",
|
|
"description": "Authentication using OAuth 2.0 Bearer Token"
|
|
}
|
|
]
|
|
}
|
|
|
|
|
|
# SCIM Resource Types
|
|
@router.get("/ResourceTypes")
|
|
async def get_resource_types(request: Request):
|
|
"""Get SCIM Resource Types"""
|
|
return [
|
|
{
|
|
"schemas": ["urn:ietf:params:scim:schemas:core:2.0:ResourceType"],
|
|
"id": "User",
|
|
"name": "User",
|
|
"endpoint": "/Users",
|
|
"schema": SCIM_USER_SCHEMA,
|
|
"meta": {
|
|
"location": f"{request.base_url}api/v1/scim/v2/ResourceTypes/User",
|
|
"resourceType": "ResourceType"
|
|
}
|
|
},
|
|
{
|
|
"schemas": ["urn:ietf:params:scim:schemas:core:2.0:ResourceType"],
|
|
"id": "Group",
|
|
"name": "Group",
|
|
"endpoint": "/Groups",
|
|
"schema": SCIM_GROUP_SCHEMA,
|
|
"meta": {
|
|
"location": f"{request.base_url}api/v1/scim/v2/ResourceTypes/Group",
|
|
"resourceType": "ResourceType"
|
|
}
|
|
}
|
|
]
|
|
|
|
|
|
# SCIM Schemas
|
|
@router.get("/Schemas")
|
|
async def get_schemas():
|
|
"""Get SCIM Schemas"""
|
|
return [
|
|
{
|
|
"schemas": ["urn:ietf:params:scim:schemas:core:2.0:Schema"],
|
|
"id": SCIM_USER_SCHEMA,
|
|
"name": "User",
|
|
"description": "User Account",
|
|
"attributes": [
|
|
{
|
|
"name": "userName",
|
|
"type": "string",
|
|
"required": True,
|
|
"uniqueness": "server"
|
|
},
|
|
{
|
|
"name": "displayName",
|
|
"type": "string",
|
|
"required": True
|
|
},
|
|
{
|
|
"name": "emails",
|
|
"type": "complex",
|
|
"multiValued": True,
|
|
"required": True
|
|
},
|
|
{
|
|
"name": "active",
|
|
"type": "boolean",
|
|
"required": False
|
|
}
|
|
]
|
|
},
|
|
{
|
|
"schemas": ["urn:ietf:params:scim:schemas:core:2.0:Schema"],
|
|
"id": SCIM_GROUP_SCHEMA,
|
|
"name": "Group",
|
|
"description": "Group",
|
|
"attributes": [
|
|
{
|
|
"name": "displayName",
|
|
"type": "string",
|
|
"required": True
|
|
},
|
|
{
|
|
"name": "members",
|
|
"type": "complex",
|
|
"multiValued": True,
|
|
"required": False
|
|
}
|
|
]
|
|
}
|
|
]
|
|
|
|
|
|
# Users endpoints
|
|
@router.get("/Users", response_model=SCIMListResponse)
|
|
async def get_users(
|
|
request: Request,
|
|
startIndex: int = Query(1, ge=1),
|
|
count: int = Query(20, ge=1, le=100),
|
|
filter: Optional[str] = None,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""List SCIM Users"""
|
|
skip = startIndex - 1
|
|
limit = count
|
|
|
|
# Get users from database
|
|
if filter:
|
|
# Simple filter parsing - supports userName eq "email"
|
|
# In production, you'd want a more robust filter parser
|
|
if "userName eq" in filter:
|
|
email = filter.split('"')[1]
|
|
user = Users.get_user_by_email(email)
|
|
users_list = [user] if user else []
|
|
total = 1 if user else 0
|
|
else:
|
|
response = Users.get_users(skip=skip, limit=limit)
|
|
users_list = response["users"]
|
|
total = response["total"]
|
|
else:
|
|
response = Users.get_users(skip=skip, limit=limit)
|
|
users_list = response["users"]
|
|
total = response["total"]
|
|
|
|
# Convert to SCIM format
|
|
scim_users = [user_to_scim(user, request) for user in users_list]
|
|
|
|
return SCIMListResponse(
|
|
totalResults=total,
|
|
itemsPerPage=len(scim_users),
|
|
startIndex=startIndex,
|
|
Resources=scim_users,
|
|
)
|
|
|
|
|
|
@router.get("/Users/{user_id}", response_model=SCIMUser)
|
|
async def get_user(
|
|
user_id: str,
|
|
request: Request,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Get SCIM User by ID"""
|
|
user = Users.get_user_by_id(user_id)
|
|
if not user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail=f"User {user_id} not found",
|
|
)
|
|
|
|
return user_to_scim(user, request)
|
|
|
|
|
|
@router.post("/Users", response_model=SCIMUser, status_code=status.HTTP_201_CREATED)
|
|
async def create_user(
|
|
request: Request,
|
|
user_data: SCIMUserCreateRequest,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Create SCIM User"""
|
|
# Check if user already exists
|
|
existing_user = Users.get_user_by_email(user_data.userName)
|
|
if existing_user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_409_CONFLICT,
|
|
detail=f"User with email {user_data.userName} already exists",
|
|
)
|
|
|
|
# Create user
|
|
user_id = str(uuid.uuid4())
|
|
email = user_data.emails[0].value if user_data.emails else user_data.userName
|
|
|
|
# Parse name if provided
|
|
name = user_data.displayName
|
|
if user_data.name:
|
|
if user_data.name.formatted:
|
|
name = user_data.name.formatted
|
|
elif user_data.name.givenName or user_data.name.familyName:
|
|
name = f"{user_data.name.givenName or ''} {user_data.name.familyName or ''}".strip()
|
|
|
|
# Get profile image if provided
|
|
profile_image = "/user.png"
|
|
if user_data.photos and len(user_data.photos) > 0:
|
|
profile_image = user_data.photos[0].value
|
|
|
|
# Create user
|
|
new_user = Users.insert_new_user(
|
|
id=user_id,
|
|
name=name,
|
|
email=email,
|
|
profile_image_url=profile_image,
|
|
role="user" if user_data.active else "pending",
|
|
)
|
|
|
|
if not new_user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
|
|
detail="Failed to create user",
|
|
)
|
|
|
|
return user_to_scim(new_user, request)
|
|
|
|
|
|
@router.put("/Users/{user_id}", response_model=SCIMUser)
|
|
async def update_user(
|
|
user_id: str,
|
|
request: Request,
|
|
user_data: SCIMUserUpdateRequest,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Update SCIM User (full update)"""
|
|
user = Users.get_user_by_id(user_id)
|
|
if not user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail=f"User {user_id} not found",
|
|
)
|
|
|
|
# Build update dict
|
|
update_data = {}
|
|
|
|
if user_data.userName:
|
|
update_data["email"] = user_data.userName
|
|
|
|
if user_data.displayName:
|
|
update_data["name"] = user_data.displayName
|
|
elif user_data.name:
|
|
if user_data.name.formatted:
|
|
update_data["name"] = user_data.name.formatted
|
|
elif user_data.name.givenName or user_data.name.familyName:
|
|
update_data["name"] = f"{user_data.name.givenName or ''} {user_data.name.familyName or ''}".strip()
|
|
|
|
if user_data.emails and len(user_data.emails) > 0:
|
|
update_data["email"] = user_data.emails[0].value
|
|
|
|
if user_data.active is not None:
|
|
update_data["role"] = "user" if user_data.active else "pending"
|
|
|
|
if user_data.photos and len(user_data.photos) > 0:
|
|
update_data["profile_image_url"] = user_data.photos[0].value
|
|
|
|
# Update user
|
|
updated_user = Users.update_user_by_id(user_id, update_data)
|
|
if not updated_user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
|
|
detail="Failed to update user",
|
|
)
|
|
|
|
return user_to_scim(updated_user, request)
|
|
|
|
|
|
@router.patch("/Users/{user_id}", response_model=SCIMUser)
|
|
async def patch_user(
|
|
user_id: str,
|
|
request: Request,
|
|
patch_data: SCIMPatchRequest,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Update SCIM User (partial update)"""
|
|
user = Users.get_user_by_id(user_id)
|
|
if not user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail=f"User {user_id} not found",
|
|
)
|
|
|
|
update_data = {}
|
|
|
|
for operation in patch_data.Operations:
|
|
op = operation.op.lower()
|
|
path = operation.path
|
|
value = operation.value
|
|
|
|
if op == "replace":
|
|
if path == "active":
|
|
update_data["role"] = "user" if value else "pending"
|
|
elif path == "userName":
|
|
update_data["email"] = value
|
|
elif path == "displayName":
|
|
update_data["name"] = value
|
|
elif path == "emails[primary eq true].value":
|
|
update_data["email"] = value
|
|
elif path == "name.formatted":
|
|
update_data["name"] = value
|
|
|
|
# Update user
|
|
if update_data:
|
|
updated_user = Users.update_user_by_id(user_id, update_data)
|
|
if not updated_user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
|
|
detail="Failed to update user",
|
|
)
|
|
else:
|
|
updated_user = user
|
|
|
|
return user_to_scim(updated_user, request)
|
|
|
|
|
|
@router.delete("/Users/{user_id}", status_code=status.HTTP_204_NO_CONTENT)
|
|
async def delete_user(
|
|
user_id: str,
|
|
request: Request,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Delete SCIM User"""
|
|
user = Users.get_user_by_id(user_id)
|
|
if not user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail=f"User {user_id} not found",
|
|
)
|
|
|
|
success = Users.delete_user_by_id(user_id)
|
|
if not success:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
|
|
detail="Failed to delete user",
|
|
)
|
|
|
|
return None
|
|
|
|
|
|
# Groups endpoints
|
|
@router.get("/Groups", response_model=SCIMListResponse)
|
|
async def get_groups(
|
|
request: Request,
|
|
startIndex: int = Query(1, ge=1),
|
|
count: int = Query(20, ge=1, le=100),
|
|
filter: Optional[str] = None,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""List SCIM Groups"""
|
|
# Get all groups
|
|
groups_list = Groups.get_groups()
|
|
|
|
# Apply pagination
|
|
total = len(groups_list)
|
|
start = startIndex - 1
|
|
end = start + count
|
|
paginated_groups = groups_list[start:end]
|
|
|
|
# Convert to SCIM format
|
|
scim_groups = [group_to_scim(group, request) for group in paginated_groups]
|
|
|
|
return SCIMListResponse(
|
|
totalResults=total,
|
|
itemsPerPage=len(scim_groups),
|
|
startIndex=startIndex,
|
|
Resources=scim_groups,
|
|
)
|
|
|
|
|
|
@router.get("/Groups/{group_id}", response_model=SCIMGroup)
|
|
async def get_group(
|
|
group_id: str,
|
|
request: Request,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Get SCIM Group by ID"""
|
|
group = Groups.get_group_by_id(group_id)
|
|
if not group:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail=f"Group {group_id} not found",
|
|
)
|
|
|
|
return group_to_scim(group, request)
|
|
|
|
|
|
@router.post("/Groups", response_model=SCIMGroup, status_code=status.HTTP_201_CREATED)
|
|
async def create_group(
|
|
request: Request,
|
|
group_data: SCIMGroupCreateRequest,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Create SCIM Group"""
|
|
# Extract member IDs
|
|
member_ids = []
|
|
if group_data.members:
|
|
for member in group_data.members:
|
|
member_ids.append(member.value)
|
|
|
|
# Create group
|
|
from open_webui.models.groups import GroupForm
|
|
|
|
form = GroupForm(
|
|
name=group_data.displayName,
|
|
description="",
|
|
)
|
|
|
|
# Need to get the creating user's ID - we'll use the first admin
|
|
admin_user = Users.get_super_admin_user()
|
|
if not admin_user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
|
|
detail="No admin user found",
|
|
)
|
|
|
|
new_group = Groups.insert_new_group(admin_user.id, form)
|
|
if not new_group:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
|
|
detail="Failed to create group",
|
|
)
|
|
|
|
# Add members if provided
|
|
if member_ids:
|
|
from open_webui.models.groups import GroupUpdateForm
|
|
update_form = GroupUpdateForm(
|
|
name=new_group.name,
|
|
description=new_group.description,
|
|
user_ids=member_ids,
|
|
)
|
|
Groups.update_group_by_id(new_group.id, update_form)
|
|
new_group = Groups.get_group_by_id(new_group.id)
|
|
|
|
return group_to_scim(new_group, request)
|
|
|
|
|
|
@router.put("/Groups/{group_id}", response_model=SCIMGroup)
|
|
async def update_group(
|
|
group_id: str,
|
|
request: Request,
|
|
group_data: SCIMGroupUpdateRequest,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Update SCIM Group (full update)"""
|
|
group = Groups.get_group_by_id(group_id)
|
|
if not group:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail=f"Group {group_id} not found",
|
|
)
|
|
|
|
# Build update form
|
|
from open_webui.models.groups import GroupUpdateForm
|
|
|
|
update_form = GroupUpdateForm(
|
|
name=group_data.displayName if group_data.displayName else group.name,
|
|
description=group.description,
|
|
)
|
|
|
|
# Handle members if provided
|
|
if group_data.members is not None:
|
|
member_ids = [member.value for member in group_data.members]
|
|
update_form.user_ids = member_ids
|
|
|
|
# Update group
|
|
updated_group = Groups.update_group_by_id(group_id, update_form)
|
|
if not updated_group:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
|
|
detail="Failed to update group",
|
|
)
|
|
|
|
return group_to_scim(updated_group, request)
|
|
|
|
|
|
@router.patch("/Groups/{group_id}", response_model=SCIMGroup)
|
|
async def patch_group(
|
|
group_id: str,
|
|
request: Request,
|
|
patch_data: SCIMPatchRequest,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Update SCIM Group (partial update)"""
|
|
group = Groups.get_group_by_id(group_id)
|
|
if not group:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail=f"Group {group_id} not found",
|
|
)
|
|
|
|
from open_webui.models.groups import GroupUpdateForm
|
|
|
|
update_form = GroupUpdateForm(
|
|
name=group.name,
|
|
description=group.description,
|
|
user_ids=group.user_ids.copy() if group.user_ids else [],
|
|
)
|
|
|
|
for operation in patch_data.Operations:
|
|
op = operation.op.lower()
|
|
path = operation.path
|
|
value = operation.value
|
|
|
|
if op == "replace":
|
|
if path == "displayName":
|
|
update_form.name = value
|
|
elif path == "members":
|
|
# Replace all members
|
|
update_form.user_ids = [member["value"] for member in value]
|
|
elif op == "add":
|
|
if path == "members":
|
|
# Add members
|
|
if isinstance(value, list):
|
|
for member in value:
|
|
if isinstance(member, dict) and "value" in member:
|
|
if member["value"] not in update_form.user_ids:
|
|
update_form.user_ids.append(member["value"])
|
|
elif op == "remove":
|
|
if path and path.startswith("members[value eq"):
|
|
# Remove specific member
|
|
member_id = path.split('"')[1]
|
|
if member_id in update_form.user_ids:
|
|
update_form.user_ids.remove(member_id)
|
|
|
|
# Update group
|
|
updated_group = Groups.update_group_by_id(group_id, update_form)
|
|
if not updated_group:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
|
|
detail="Failed to update group",
|
|
)
|
|
|
|
return group_to_scim(updated_group, request)
|
|
|
|
|
|
@router.delete("/Groups/{group_id}", status_code=status.HTTP_204_NO_CONTENT)
|
|
async def delete_group(
|
|
group_id: str,
|
|
request: Request,
|
|
_: bool = Depends(get_scim_auth),
|
|
):
|
|
"""Delete SCIM Group"""
|
|
group = Groups.get_group_by_id(group_id)
|
|
if not group:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_404_NOT_FOUND,
|
|
detail=f"Group {group_id} not found",
|
|
)
|
|
|
|
success = Groups.delete_group_by_id(group_id)
|
|
if not success:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
|
|
detail="Failed to delete group",
|
|
)
|
|
|
|
return None |