Services

Services in Advanced Alchemy build upon repositories to provide higher-level business logic, data transformation, and schema validation. While repositories handle raw database operations, services handle the application’s business rules and data transformation needs.

Understanding Services

Services provide:

  • Business logic abstraction

  • Data transformation using Pydantic, Msgspec, or attrs models

  • Input validation and type-safe schema conversion

  • Complex operations involving multiple repositories

  • Consistent error handling

  • Automatic schema validation and transformation

  • Support for SQLAlchemy query results (Row types) and RowMapping objects

Note

The following example assumes the existence of the Post model defined in Many-to-Many Relationships and the Tag model defined in Using UniqueMixin.

Basic Service Usage

Let’s build upon our blog example by creating services for posts:

import datetime
from typing import Optional

from advanced_alchemy.repository import SQLAlchemyAsyncRepository
from advanced_alchemy.service import SQLAlchemyAsyncRepositoryService
from pydantic import BaseModel

# Pydantic schemas for validation
class PostCreate(BaseModel):
    title: str
    content: str
    tag_names: list[str]


class PostUpdate(BaseModel):
    title: Optional[str] = None
    content: Optional[str] = None
    published: Optional[bool] = None


class PostResponse(BaseModel):
    id: int
    title: str
    content: str
    published: bool
    created_at: datetime.datetime
    updated_at: datetime.datetime

    model_config = {"from_attributes": True}


class PostService(SQLAlchemyAsyncRepositoryService[Post]):
    """Post Service."""

    class Repo(SQLAlchemyAsyncRepository[Post]):
        """Post repository."""

        model_type = Post

    repository_type = Repo
import datetime

from advanced_alchemy.repository import SQLAlchemyAsyncRepository
from advanced_alchemy.service import SQLAlchemyAsyncRepositoryService
from pydantic import BaseModel

# Pydantic schemas for validation
class PostCreate(BaseModel):
    title: str
    content: str
    tag_names: list[str]


class PostUpdate(BaseModel):
    title: str | None = None
    content: str | None = None
    published: bool | None = None


class PostResponse(BaseModel):
    id: int
    title: str
    content: str
    published: bool
    created_at: datetime.datetime
    updated_at: datetime.datetime

    model_config = {"from_attributes": True}


class PostService(SQLAlchemyAsyncRepositoryService[Post]):
    """Post Service."""

    class Repo(SQLAlchemyAsyncRepository[Post]):
        """Post repository."""

        model_type = Post

    repository_type = Repo

Service Operations

Services provide high-level methods for common operations:

async def create_post(post_service: PostService, data: PostCreate) -> PostResponse:
    post = await post_service.create(data=data, auto_commit=True)
    return post_service.to_schema(post, schema_type=PostResponse)


async def update_post(
    post_service: PostService,
    post_id: int,
    data: PostUpdate,
) -> PostResponse:
    post = await post_service.update(item_id=post_id, data=data, auto_commit=True)
    return post_service.to_schema(post, schema_type=PostResponse)

Composite Primary Keys

Services fully support models with composite primary keys using the same formats as repositories. Pass primary key values as tuples or dictionaries when using get, update, or delete methods:

# Get by composite key (tuple format)
user_role = await user_role_service.get((user_id, role_id))

# Update by composite key (dict format)
updated = await user_role_service.update(
    data={"permissions": "admin"},
    item_id={"user_id": 1, "role_id": 5},
)

# Delete multiple by composite keys
await user_role_service.delete_many([(1, 5), (1, 6), (2, 5)])

See Composite Primary Keys in the Repositories documentation for more details on supported formats.

Complex Operations

Services can handle complex business logic involving multiple models. The code below shows a service coordinating posts and tags.

from advanced_alchemy.repository import SQLAlchemyAsyncRepository
from advanced_alchemy.service import SQLAlchemyAsyncRepositoryService, schema_dump
from advanced_alchemy.service.typing import ModelDictT
from advanced_alchemy.utils.text import slugify

class PostService(SQLAlchemyAsyncRepositoryService[Post]):
    """Post service for handling post operations with tag management."""

    class Repo(SQLAlchemyAsyncRepository[Post]):
        """Post repository."""

        model_type = Post

    loader_options = [Post.tags]
    repository_type = Repo
    match_fields = ["title"]

    async def to_model_on_create(self, data: ModelDictT[Post]) -> ModelDictT[Post]:
        """Convert and enrich data for post creation, handling tags."""
        data = schema_dump(data)
        tags_added = data.pop("tags", [])
        data = await super().to_model(data)

        if tags_added:
            data.tags.extend(
                [
                    await Tag.as_unique_async(self.repository.session, name=tag, slug=slugify(tag))
                    for tag in tags_added
                ],
            )
        return data

    async def to_model_on_update(self, data: ModelDictT[Post]) -> ModelDictT[Post]:
        """Convert and enrich data for post update, handling tags."""
        data = schema_dump(data)
        tags_updated = data.pop("tags", [])
        post = await super().to_model(data)

        if tags_updated:
            existing_tags = [tag.name for tag in post.tags]
            tags_to_remove = [tag for tag in post.tags if tag.name not in tags_updated]
            tags_to_add = [tag for tag in tags_updated if tag not in existing_tags]

            for tag_rm in tags_to_remove:
                post.tags.remove(tag_rm)

            post.tags.extend(
                [
                    await Tag.as_unique_async(self.repository.session, name=tag, slug=slugify(tag))
                    for tag in tags_to_add
                ],
            )
        return post

Working with Slugs

Services can automatically generate URL-friendly slugs using the SQLAlchemyAsyncSlugRepository. Here’s an example service for managing tags with automatic slug generation:

from advanced_alchemy.repository import SQLAlchemyAsyncSlugRepository
from advanced_alchemy.service import SQLAlchemyAsyncRepositoryService, schema_dump, is_dict_without_field, is_dict_with_field
from advanced_alchemy.service.typing import ModelDictT

class TagService(SQLAlchemyAsyncRepositoryService[Tag]):
    """Tag service with automatic slug generation."""

    class Repo(SQLAlchemyAsyncSlugRepository[Tag]):
        """Tag repository."""

        model_type = Tag

    repository_type = Repo
    match_fields = ["name"]

    async def to_model_on_create(self, data: ModelDictT[Tag]) -> ModelDictT[Tag]:
        """Generate slug on tag creation if not provided."""
        data = schema_dump(data)
        if is_dict_without_field(data, "slug") and is_dict_with_field(data, "name"):
            data["slug"] = await self.repository.get_available_slug(data["name"])
        return data

    async def to_model_on_update(self, data: ModelDictT[Tag]) -> ModelDictT[Tag]:
        """Update slug if name changes."""
        data = schema_dump(data)
        if is_dict_without_field(data, "slug") and is_dict_with_field(data, "name"):
            data["slug"] = await self.repository.get_available_slug(data["name"])
        return data

    async def to_model_on_upsert(self, data: ModelDictT[Tag]) -> ModelDictT[Tag]:
        """Generate slug on upsert if needed."""
        data = schema_dump(data)
        if is_dict_without_field(data, "slug") and (tag_name := data.get("name")) is not None:
            data["slug"] = await self.repository.get_available_slug(tag_name)
        return data

Schema Integration

Advanced Alchemy services support multiple schema libraries for data transformation and validation:

Pydantic Models

from pydantic import BaseModel

class PostSchema(BaseModel):
    id: int
    title: str
    content: str
    published: bool

    model_config = {"from_attributes": True}

# Convert database model to Pydantic schema
post_data = post_service.to_schema(post_model, schema_type=PostSchema)

Msgspec Structs

from msgspec import Struct

class PostStruct(Struct):
    id: int
    title: str
    content: str
    published: bool

# Convert database model to Msgspec struct
post_data = post_service.to_schema(post_model, schema_type=PostStruct)

Attrs Classes

from attrs import define

@define
class PostAttrs:
    id: int
    title: str
    content: str
    published: bool

# Convert database model to attrs class
post_data = post_service.to_schema(post_model, schema_type=PostAttrs)

Note

Enhanced attrs Support with cattrs: When both attrs and cattrs are installed, Advanced Alchemy automatically uses cattrs.structure() and cattrs.unstructure() for improved performance and type-aware serialization. This provides better handling of complex types, nested structures, and custom converters.

Framework Integration

Services integrate seamlessly with both Litestar and FastAPI.