scim-server 0.2.2

A comprehensive SCIM 2.0 server library for Rust with multi-tenant support and type-safe operations
Documentation

SCIM Server

Crates.io Documentation Downloads License: MIT Rust

A comprehensive SCIM 2.0 server library for Rust that makes identity provisioning simple, type-safe, and production-ready.

SCIM (System for Cross-domain Identity Management) is the industry standard for automating user provisioning between identity providers and applications. Think automatic user onboarding/offboarding across your entire tech stack.

πŸ—οΈ How It Works: Client β†’ Server β†’ Provider Architecture

The SCIM Server acts as an intelligent middleware that handles all provisioning complexity so your applications don't have to:

Multiple Ways to Connect

Connect any type of client through standardized interfaces:

  • 🌐 Web Applications - REST APIs for admin portals, user dashboards, and sync tools
  • πŸ€– AI Assistants - Natural language provisioning via Model Context Protocol (Claude, ChatGPT, custom bots)
  • ⚑ Automation Tools - CLI scripts for bulk imports, migrations, and DevOps pipelines
  • πŸ”§ Custom Integrations - GraphQL, gRPC, message queues, webhooks, or any protocol you need

The Intelligence Layer

The SCIM Server core provides enterprise-grade capabilities that would take months to build yourself:

  • πŸ“‹ Dynamic Schema Management - Define custom resource types with automatic validation
  • πŸ›‘οΈ Type-Safe Validation - Comprehensive error checking with detailed reporting
  • βš™οΈ Standardized Operations - Consistent CRUD, filtering, and bulk operations across all resources
  • 🏒 Multi-Tenant Architecture - Built-in organization isolation and configuration management
  • πŸ” Automatic Capabilities - Self-documenting API features and service provider configuration

Flexible Storage Backend

Choose your data storage strategy without changing your application code:

  • πŸš€ Development - In-memory providers for testing and prototyping
  • 🏒 Production - Database providers with full ACID compliance
  • ☁️ Cloud-Native - Custom providers for S3, DynamoDB, or any storage system
  • πŸ”„ Multi-Tenant - Automatic tenant isolation with shared or dedicated infrastructure
  • 🏷️ ETag Concurrency Control - Built-in optimistic locking prevents lost updates

πŸ’‘ Value Proposition: Offload Complexity from Your SaaS

Instead of building provisioning logic into every Rust application:

Without SCIM Server With SCIM Server
❌ Custom validation in each app βœ… Centralized validation engine
❌ Manual concurrency control βœ… Automatic ETag versioning with optimistic locking
❌ Manual schema management βœ… Dynamic schema registry
❌ Ad-hoc API endpoints βœ… Standardized SCIM protocol
❌ Reinvent capability discovery βœ… Automatic capability construction
❌ Build multi-tenancy from scratch βœ… Built-in tenant isolation
❌ Custom error handling per resource βœ… Consistent error semantics with conflict resolution
❌ Lost updates in concurrent scenarios βœ… Version conflict detection and prevention

Result: Your SaaS applications focus on business logic while the SCIM server handles all provisioning complexity with enterprise-grade reliability.

✨ Why Choose This Library?

  • πŸ›‘οΈ Type-Safe by Design - Leverage Rust's type system to prevent runtime errors
  • 🏒 Multi-Tenant Ready - Built-in support for multiple organizations/tenants
  • πŸ“‹ Full SCIM 2.0 Compliance - Comprehensive implementation of RFC 7643 and RFC 7644
  • ⚑ High Performance - Async-first with minimal overhead
  • πŸ”Œ Framework Agnostic - Works with any HTTP framework (Axum, Warp, Actix, etc.)
  • 🧩 Provider Flexibility - In-memory, database, or custom backends
  • πŸ€– AI-Ready with MCP - Built-in Model Context Protocol for AI tool integration
  • 🎯 Beyond Users & Groups - Extensible schema system for any resource type
  • πŸ”„ ETag Concurrency Control - Optimistic locking prevents lost updates in multi-client scenarios
  • 🧡 Thread-Safe Operations - Concurrent access safety with atomic version checking
  • πŸ“– Production Ready - Extensive testing (827 tests), logging, and error handling

πŸš€ Quick Start

Add to your Cargo.toml:

[dependencies]
scim-server = "0.2.1"
tokio = { version = "1.0", features = ["full"] }
serde_json = "1.0"

Minimal Example

use scim_server::{ScimServer, providers::InMemoryProvider, resource::RequestContext};
use serde_json::json;

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    // Create a SCIM server with in-memory storage
    let provider = InMemoryProvider::new();
    let server = ScimServer::new(provider)?;
    
    // Create a user with automatic ETag versioning
    let context = RequestContext::with_generated_id();
    let user_data = json!({
        "schemas": ["urn:ietf:params:scim:schemas:core:2.0:User"],
        "userName": "john.doe@example.com",
        "active": true
    });
    
    let versioned_user = server.provider()
        .create_versioned_resource("User", user_data, &context)
        .await?;
    
    println!("Created user with ETag: {}", versioned_user.version().to_http_header());
    Ok(())
}

Complete HTTP Server Example

use scim_server::{ScimServer, InMemoryProvider, ScimUser};
use serde_json::json;

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    let provider = InMemoryProvider::new();
    let server = ScimServer::new(provider);

    // Create a user
    let user_data = json!({
        "schemas": ["urn:ietf:params:scim:schemas:core:2.0:User"],
        "userName": "alice@example.com",
        "name": {
            "givenName": "Alice",
            "familyName": "Smith"
        },
        "emails": [{
            "value": "alice@example.com",
            "primary": true
        }]
    });

    let user = server.create_user("tenant-1", user_data).await?;
    println!("Created user: {}", user.id);

    // Server integrates with your HTTP framework of choice
    // See examples/ for Axum, Warp, and Actix integrations
    Ok(())
}

🎯 Key Features

Core SCIM 2.0 Support

  • βœ… Users & Groups - Full lifecycle management (CRUD operations)
  • βœ… Schema Validation - Automatic validation against SCIM schemas
  • βœ… Filtering & Pagination - Efficient queries with SCIM filter syntax
  • βœ… Bulk Operations - Handle multiple operations in a single request
  • βœ… Patch Operations - Granular updates with RFC 6902 JSON Patch

Advanced Capabilities

  • πŸ—οΈ Multi-Tenant Architecture - Isolate data between organizations
  • πŸ” Automatic Discovery - Service provider configuration and schema endpoints
  • πŸŽ›οΈ Provider Capabilities - Automatic feature detection and advertisement
  • πŸ“ Comprehensive Logging - Structured logging with multiple backends
  • πŸ”§ Value Objects - Type-safe domain modeling with compile-time validation

πŸ”„ ETag Concurrency Control

Production-Grade Optimistic Locking - Prevent lost updates in multi-client environments:

use scim_server::{ScimServer, providers::InMemoryProvider, resource::RequestContext};
use serde_json::json;

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    let provider = InMemoryProvider::new();
    let server = ScimServer::new(provider)?;
    let context = RequestContext::with_generated_id();

    // Create user with automatic versioning
    let user_data = json!({
        "schemas": ["urn:ietf:params:scim:schemas:core:2.0:User"],
        "userName": "alice@example.com",
        "active": true
    });
    
    let versioned_user = server.provider()
        .create_versioned_resource("User", user_data, &context)
        .await?;
    
    println!("User ETag: {}", versioned_user.version().to_http_header());
    // Output: User ETag: W/"abc123def456"

    // Conditional update - only succeeds if version matches
    let update_data = json!({"active": false});
    let current_version = versioned_user.version();
    
    match server.provider()
        .conditional_update("User", "123", update_data, current_version, &context)
        .await? 
    {
        ConditionalResult::Success(updated) => {
            println!("Update successful! New ETag: {}", updated.version().to_http_header());
        },
        ConditionalResult::VersionMismatch(conflict) => {
            println!("Version conflict detected!");
            println!("Expected: {}, Current: {}", conflict.expected, conflict.current);
            // Handle conflict: refresh, merge, or retry
        },
        ConditionalResult::NotFound => {
            println!("Resource no longer exists");
        }
    }
    
    Ok(())
}

ETag Features:

  • πŸ”’ Weak ETags - Semantic equivalence versioning (W/"version")
  • ⚑ Atomic Operations - Thread-safe version checking and updates
  • πŸ€– AI Agent Safe - MCP integration with conflict resolution workflows
  • 🏒 Multi-Tenant - Version isolation across tenant boundaries
  • πŸ“Š Conflict Resolution - Structured error responses with resolution guidance

πŸ” Compile-Time Authentication (NEW in 0.2.1)

Zero-Cost Security Enforcement - Catch authentication bugs at compile time, not runtime:

use scim_server::auth::{
    AuthenticationState, Unauthenticated, Authenticated,
    LinearCredentials, AuthenticationWitness, TenantAuthority
};

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    // Start with unauthenticated state - compile-time enforced
    let mut credentials: LinearCredentials<Unauthenticated> = 
        LinearCredentials::new("user123", "tenant456");
    
    // Authentication consumes credentials (can only happen once)
    let auth_witness: AuthenticationWitness<Authenticated> = 
        credentials.authenticate("valid_token").await?;
    
    // Tenant authority proves compile-time tenant access rights
    let tenant_authority: TenantAuthority = 
        auth_witness.verify_tenant_access("tenant456")?;
    
    // Operations require authentication witness - impossible to bypass
    let protected_data = server
        .get_protected_resource(&auth_witness, &tenant_authority)
        .await?;
    
    // ❌ This would be a compile error:
    // let data = server.get_protected_resource(); // Missing auth witness
    
    Ok(())
}

Authentication Features:

  • πŸ›‘οΈ Compile-Time Security - Authentication bugs caught during compilation
  • πŸ”„ Linear Credentials - Can only be used once, preventing replay attacks
  • 🏒 Tenant Isolation - Type-safe multi-tenant access control
  • ⚑ Zero Runtime Cost - All checks happen at compile time
  • 🎯 RBAC Support - Role-based access control with type safety

Framework Integration

  • 🌐 HTTP Framework Agnostic - Bring your own web framework
  • πŸ”Œ Operation Handler Foundation - Clean abstraction for SCIM operations
  • πŸ€– MCP Integration - Model Context Protocol support for AI tools

πŸ€– AI-Powered Identity Management

Built-in MCP (Model Context Protocol) Support - Connect AI assistants directly to your identity data:

use scim_server::{McpServer, ScimServer, InMemoryProvider};

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    let provider = InMemoryProvider::new();
    let scim_server = ScimServer::new(provider);
    
    // Enable MCP for AI tool integration
    let mcp_server = McpServer::new(scim_server);
    mcp_server.start("stdio").await?;
    
    // Now AI assistants can:
    // - Query users: "Find all users in the engineering department"
    // - Manage groups: "Add Alice to the admin group" 
    // - Audit access: "Who has access to the finance system?"
    // - Automate onboarding: "Create accounts for new hire John Doe"
    
    Ok(())
}

AI Use Cases Enabled:

  • πŸ” Intelligent Queries - Natural language user/group searches
  • ⚑ Automated Provisioning - AI-driven user onboarding/offboarding
  • πŸ›‘οΈ Security Auditing - AI-powered access reviews and compliance checks
  • πŸ“Š Identity Analytics - Smart insights into user patterns and group dynamics
  • 🀝 Conversational Admin - Chat-based identity management operations

MCP Tools Provided:

  • list_users - Query users with natural language filters
  • create_user - Provision new users with AI validation
  • manage_groups - Intelligent group membership management
  • audit_access - Security and compliance reporting
  • bulk_operations - AI-optimized batch processing

Perfect for building AI-enhanced admin dashboards, chatbots, and automated identity workflows!

🎯 Beyond Identity: Custom Resource Management

SCIM isn't just for users and groups - it's a powerful foundation for managing ANY structured resource:

use scim_server::{ScimServer, CustomSchema, ResourceType};
use serde_json::json;

// Define custom schemas for your domain
let device_schema = CustomSchema::builder()
    .id("urn:example:schemas:Device")
    .add_attribute("serialNumber", AttributeType::String, true)
    .add_attribute("manufacturer", AttributeType::String, false)
    .add_attribute("location", AttributeType::Complex, false)
    .add_sub_attribute("location", "building", AttributeType::String)
    .add_sub_attribute("location", "room", AttributeType::String)
    .build();

let mut server = ScimServer::new(provider);
server.register_schema(device_schema)?;

// Now manage devices with full SCIM capabilities
let device = server.create_resource("devices", json!({
    "schemas": ["urn:example:schemas:Device"],
    "serialNumber": "DEV-001",
    "manufacturer": "Acme Corp",
    "location": {
        "building": "HQ",
        "room": "Server Room A"
    }
})).await?;

Real-World Custom Schema Use Cases:

Domain Schema Example Business Value
πŸ–₯️ IT Asset Management Devices, Software Licenses, Certificates Automated asset lifecycle, compliance tracking
🏒 Facility Management Rooms, Equipment, Access Cards Smart building automation, space optimization
πŸ“š Learning Management Courses, Certifications, Learning Paths Skill tracking, compliance training automation
πŸ” Access Control Permissions, Roles, Entitlements Fine-grained authorization, audit trails
πŸ’Ό Business Resources Projects, Budgets, Approvals Workflow automation, resource allocation
🌐 Cloud Resources VMs, Databases, Storage Buckets Infrastructure as Code, cost management

Why SCIM for Custom Resources?

  • βœ… Standardized API - Consistent CRUD, filtering, and bulk operations
  • βœ… Schema Validation - Type safety and data integrity out of the box
  • βœ… Multi-Tenant Ready - Isolate resources by organization/tenant
  • βœ… Audit & Compliance - Built-in change tracking and versioning
  • βœ… AI Integration - Custom resources become AI-queryable via MCP
  • βœ… Enterprise Integration - Standard protocol for system interoperability

Transform any data model into a fully-featured API with enterprise-grade capabilities!

πŸ“š Examples

Example Description
basic_server Simple SCIM server setup
multi_tenant Multi-organization support
custom_provider Custom storage backends
mcp_integration AI assistant integration via MCP
compile_time_auth Type-safe authentication at compile time
compile_time_rbac Role-based access control with type safety
etag_concurrency ETag-based optimistic locking

πŸ—οΈ Architecture

β”Œβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”    β”Œβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”    β”Œβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”
β”‚   HTTP Layer    β”‚    β”‚   SCIM Server    β”‚    β”‚   Provider      β”‚
β”‚                 β”‚    β”‚                  β”‚    β”‚                 β”‚
β”‚  β€’ Axum        │───▢│  β€’ Validation    │───▢│  β€’ In-Memory    β”‚
β”‚  β€’ Warp        β”‚    β”‚  β€’ Operations    β”‚    β”‚  β€’ Database     β”‚
β”‚  β€’ Actix       β”‚    β”‚  β€’ Multi-tenant  β”‚    β”‚  β€’ Custom       β”‚
β”‚  β€’ Custom      β”‚    β”‚  β€’ Type Safety   β”‚    β”‚                 β”‚
β””β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”˜    β””β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”˜    β””β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”˜

The library provides a clean separation between:

  • HTTP handling (your choice of framework)
  • SCIM logic (validation, operations, multi-tenancy)
  • Data storage (pluggable providers)

πŸ“– Documentation

Resource Description
πŸ“š API Documentation Complete API reference with examples
πŸš€ Quick Start Get running in 5 minutes
πŸ—ΊοΈ Roadmap Feature roadmap and future releases
πŸ“– User Guide Step-by-step tutorials
πŸ—οΈ Architecture Guide Design decisions and patterns
βœ… SCIM Compliance RFC 7644 implementation details
🏒 Multi-Tenancy Multi-tenant setup and usage
πŸ” Compile-Time Authentication Type-safe authentication system

πŸ› οΈ Development

# Clone the repository
git clone https://github.com/pukeko37/scim-server.git
cd scim-server

# Run tests
cargo test

# Run with logging
RUST_LOG=debug cargo run --example basic_usage

# Generate documentation
cargo doc --open

Testing

  • 100% documentation test coverage
  • Comprehensive integration test suite
  • Multi-tenant validation scenarios
  • Performance benchmarks included

🀝 Contributing

We welcome contributions! Here's how you can help:

  1. πŸ› Report bugs via GitHub Issues
  2. πŸ’‘ Suggest features or improvements
  3. πŸ“– Improve documentation
  4. πŸ”§ Submit pull requests

See the repository's contributing guidelines for detailed information on how to contribute.

Development Principles

  • Type safety first - Leverage Rust's type system
  • YAGNI compliance - Build only what's needed now
  • Functional patterns - Immutable data and pure functions
  • Comprehensive testing - Every feature thoroughly tested

πŸ† Production Ready

This library is designed for production use with:

  • βœ… Extensive error handling with detailed error types
  • βœ… Performance optimizations and benchmarking
  • βœ… Memory safety guaranteed by Rust
  • βœ… Concurrent access patterns handled safely
  • βœ… Logging integration for observability
  • βœ… Documentation for all public APIs

πŸ“‹ SCIM 2.0 Compliance

Feature Status RFC Section
User Resources βœ… Complete RFC 7643 Β§4.1
Group Resources βœ… Complete RFC 7643 Β§4.2
Schema Discovery βœ… Complete RFC 7644 Β§4
Resource CRUD βœ… Complete RFC 7644 Β§3.2-3.5
Filtering βœ… Complete RFC 7644 Β§3.4.2.2
Bulk Operations βœ… Complete RFC 7644 Β§3.7
Patch Operations βœ… Complete RFC 7644 Β§3.5.2

94% SCIM 2.0 Compliance - See compliance report for details.

πŸ“ License

This project is licensed under the MIT License - see the LICENSE file for details.

πŸ™ Acknowledgments


Ready to get started? Check out the Quick Start Guide or browse the examples.