mirror of
https://github.com/d3vyce/fastapi-toolsets.git
synced 2026-04-16 14:46:24 +02:00
* chore: remove deprecated code * docs: update v3 migration guide * fix: pytest warnings * Version 3.0.0 * fix: docs workflows
261 lines
8.6 KiB
Python
261 lines
8.6 KiB
Python
"""Pytest helper utilities for FastAPI testing."""
|
|
|
|
import os
|
|
from collections.abc import AsyncGenerator, Callable
|
|
from contextlib import asynccontextmanager
|
|
from typing import Any
|
|
|
|
from httpx import ASGITransport, AsyncClient
|
|
from sqlalchemy import text
|
|
from sqlalchemy.engine import make_url
|
|
from sqlalchemy.ext.asyncio import (
|
|
AsyncSession,
|
|
async_sessionmaker,
|
|
create_async_engine,
|
|
)
|
|
from sqlalchemy.orm import DeclarativeBase
|
|
|
|
from ..db import cleanup_tables, create_database
|
|
from ..models.watched import EventSession
|
|
|
|
|
|
def _get_xdist_worker(default_test_db: str) -> str:
|
|
"""Return the pytest-xdist worker name, or *default_test_db* when not running under xdist.
|
|
|
|
Reads the ``PYTEST_XDIST_WORKER`` environment variable that xdist sets
|
|
automatically in each worker process (e.g. ``"gw0"``, ``"gw1"``).
|
|
When xdist is not installed or not active, the variable is absent and
|
|
*default_test_db* is returned instead.
|
|
|
|
Args:
|
|
default_test_db: Fallback value returned when ``PYTEST_XDIST_WORKER``
|
|
is not set.
|
|
"""
|
|
return os.environ.get("PYTEST_XDIST_WORKER", default_test_db)
|
|
|
|
|
|
def worker_database_url(database_url: str, default_test_db: str) -> str:
|
|
"""Derive a per-worker database URL for pytest-xdist parallel runs.
|
|
|
|
Appends ``_{worker_name}`` to the database name so each xdist worker
|
|
operates on its own database. When not running under xdist,
|
|
``_{default_test_db}`` is appended instead.
|
|
|
|
The worker name is read from the ``PYTEST_XDIST_WORKER`` environment
|
|
variable (set automatically by xdist in each worker process).
|
|
|
|
Args:
|
|
database_url: Original database connection URL.
|
|
default_test_db: Suffix appended to the database name when
|
|
``PYTEST_XDIST_WORKER`` is not set.
|
|
|
|
Returns:
|
|
A database URL with a worker- or default-specific database name.
|
|
"""
|
|
worker = _get_xdist_worker(default_test_db=default_test_db)
|
|
|
|
url = make_url(database_url)
|
|
url = url.set(database=f"{url.database}_{worker}")
|
|
return url.render_as_string(hide_password=False)
|
|
|
|
|
|
@asynccontextmanager
|
|
async def create_worker_database(
|
|
database_url: str,
|
|
default_test_db: str = "test_db",
|
|
) -> AsyncGenerator[str, None]:
|
|
"""Create and drop a per-worker database for pytest-xdist isolation.
|
|
|
|
Derives a worker-specific database URL using :func:`worker_database_url`,
|
|
then delegates to :func:`~fastapi_toolsets.db.create_database` to create
|
|
and drop it. Intended for use as a **session-scoped** fixture.
|
|
|
|
When running under xdist the database name is suffixed with the worker
|
|
name (e.g. ``_gw0``). Otherwise it is suffixed with *default_test_db*.
|
|
|
|
Args:
|
|
database_url: Original database connection URL (used as the server
|
|
connection and as the base for the worker database name).
|
|
default_test_db: Suffix appended to the database name when
|
|
``PYTEST_XDIST_WORKER`` is not set. Defaults to ``"test_db"``.
|
|
|
|
Yields:
|
|
The worker-specific database URL.
|
|
|
|
Example:
|
|
```python
|
|
from fastapi_toolsets.pytest import create_worker_database, create_db_session
|
|
|
|
DATABASE_URL = "postgresql+asyncpg://postgres:postgres@localhost/test_db"
|
|
|
|
@pytest.fixture(scope="session")
|
|
async def worker_db_url():
|
|
async with create_worker_database(DATABASE_URL) as url:
|
|
yield url
|
|
|
|
@pytest.fixture
|
|
async def db_session(worker_db_url):
|
|
async with create_db_session(
|
|
worker_db_url, Base, cleanup=True
|
|
) as session:
|
|
yield session
|
|
```
|
|
"""
|
|
worker_url = worker_database_url(
|
|
database_url=database_url, default_test_db=default_test_db
|
|
)
|
|
worker_db_name = make_url(worker_url).database
|
|
assert worker_db_name is not None
|
|
|
|
engine = create_async_engine(database_url, isolation_level="AUTOCOMMIT")
|
|
try:
|
|
async with engine.connect() as conn:
|
|
await conn.execute(text(f"DROP DATABASE IF EXISTS {worker_db_name}"))
|
|
await create_database(db_name=worker_db_name, server_url=database_url)
|
|
|
|
yield worker_url
|
|
|
|
async with engine.connect() as conn:
|
|
await conn.execute(text(f"DROP DATABASE IF EXISTS {worker_db_name}"))
|
|
finally:
|
|
await engine.dispose()
|
|
|
|
|
|
@asynccontextmanager
|
|
async def create_async_client(
|
|
app: Any,
|
|
base_url: str = "http://test",
|
|
dependency_overrides: dict[Callable[..., Any], Callable[..., Any]] | None = None,
|
|
) -> AsyncGenerator[AsyncClient, None]:
|
|
"""Create an async httpx client for testing FastAPI applications.
|
|
|
|
Args:
|
|
app: FastAPI application instance.
|
|
base_url: Base URL for requests. Defaults to "http://test".
|
|
dependency_overrides: Optional mapping of original dependencies to
|
|
their test replacements. Applied via ``app.dependency_overrides``
|
|
before yielding and cleaned up after.
|
|
|
|
Yields:
|
|
An AsyncClient configured for the app.
|
|
|
|
Example:
|
|
```python
|
|
from fastapi import FastAPI
|
|
from fastapi_toolsets.pytest import create_async_client
|
|
|
|
app = FastAPI()
|
|
|
|
@pytest.fixture
|
|
async def client():
|
|
async with create_async_client(app) as c:
|
|
yield c
|
|
|
|
async def test_endpoint(client: AsyncClient):
|
|
response = await client.get("/health")
|
|
assert response.status_code == 200
|
|
```
|
|
|
|
Example with dependency overrides:
|
|
```python
|
|
from fastapi_toolsets.pytest import create_async_client, create_db_session
|
|
from app.db import get_db
|
|
|
|
@pytest.fixture
|
|
async def db_session():
|
|
async with create_db_session(DATABASE_URL, Base, cleanup=True) as session:
|
|
yield session
|
|
|
|
@pytest.fixture
|
|
async def client(db_session):
|
|
async def override():
|
|
yield db_session
|
|
|
|
async with create_async_client(
|
|
app, dependency_overrides={get_db: override}
|
|
) as c:
|
|
yield c
|
|
```
|
|
"""
|
|
if dependency_overrides:
|
|
app.dependency_overrides.update(dependency_overrides)
|
|
|
|
transport = ASGITransport(app=app)
|
|
try:
|
|
async with AsyncClient(transport=transport, base_url=base_url) as client:
|
|
yield client
|
|
finally:
|
|
if dependency_overrides:
|
|
for key in dependency_overrides:
|
|
app.dependency_overrides.pop(key, None)
|
|
|
|
|
|
@asynccontextmanager
|
|
async def create_db_session(
|
|
database_url: str,
|
|
base: type[DeclarativeBase],
|
|
*,
|
|
echo: bool = False,
|
|
expire_on_commit: bool = False,
|
|
drop_tables: bool = True,
|
|
cleanup: bool = False,
|
|
) -> AsyncGenerator[AsyncSession, None]:
|
|
"""Create a database session for testing.
|
|
|
|
Creates tables before yielding the session and optionally drops them after.
|
|
Each call creates a fresh engine and session for test isolation.
|
|
|
|
Args:
|
|
database_url: Database connection URL (e.g., "postgresql+asyncpg://...").
|
|
base: SQLAlchemy DeclarativeBase class containing model metadata.
|
|
echo: Enable SQLAlchemy query logging. Defaults to False.
|
|
expire_on_commit: Expire objects after commit. Defaults to False.
|
|
drop_tables: Drop tables after test. Defaults to True.
|
|
cleanup: Truncate all tables after test using
|
|
:func:`cleanup_tables`. Defaults to False.
|
|
|
|
Yields:
|
|
An AsyncSession ready for database operations.
|
|
|
|
Example:
|
|
```python
|
|
from fastapi_toolsets.pytest import create_db_session
|
|
from app.models import Base
|
|
|
|
DATABASE_URL = "postgresql+asyncpg://user:pass@localhost/test_db"
|
|
|
|
@pytest.fixture
|
|
async def db_session():
|
|
async with create_db_session(
|
|
DATABASE_URL, Base, cleanup=True
|
|
) as session:
|
|
yield session
|
|
|
|
async def test_create_user(db_session: AsyncSession):
|
|
user = User(name="test")
|
|
db_session.add(user)
|
|
await db_session.commit()
|
|
```
|
|
"""
|
|
engine = create_async_engine(database_url, echo=echo)
|
|
|
|
try:
|
|
# Create tables
|
|
async with engine.begin() as conn:
|
|
await conn.run_sync(base.metadata.create_all)
|
|
|
|
session_maker = async_sessionmaker(
|
|
engine, expire_on_commit=expire_on_commit, class_=EventSession
|
|
)
|
|
async with session_maker() as session:
|
|
yield session
|
|
|
|
if cleanup:
|
|
await cleanup_tables(session=session, base=base)
|
|
|
|
if drop_tables:
|
|
async with engine.begin() as conn:
|
|
await conn.run_sync(base.metadata.drop_all)
|
|
finally:
|
|
await engine.dispose()
|