Skip to main content

A pytest fixture for high-precision SQL testing in SQLAlchemy.

Project description

pytest-capquery

Build Status Codecov Python Version License

Testing your business logic is good, but documenting and testing your database interactions is critical.

pytest-capquery treats your SQL queries as first-class citizens in your Pytest suite. By capturing and asserting the exact queries executed, you create a living documentation of what is truly happening behind the ORM abstraction.

This plugin does not force any specific SQLAlchemy architectural changes or optimization strategies. It delegates all design decisions to the developer, acting strictly as a deterministic guardrail. Once you've optimized your query footprint, pytest-capquery locks it in, ensuring cross-dialect equality, validating exact transaction boundaries (BEGIN, COMMIT, ROLLBACK), and catching silent N+1 regressions the second they are introduced.

Key Features

  • Contextual Isolation: Use the capture() context manager to track queries locally without global state leakage or manual resets.
  • SQL Snapshots: Automatically generate and track expected .sql snapshots to easily document executed queries without cluttering test files.
  • Strict Timeline Assertion: Validate the exact chronological sequence of SQL strings and transaction events.
  • Auto-Generating Assertions: When explicit assertions fail, the plugin drops a fully formatted, copy-paste-ready Python block into stdout.
  • Heuristic Guards: Use "loose assertion" mode to enforce maximum query counts.

Used By

pytest-capquery is actively used to protect the database performance of:


Installation

Install via pip:

pip install pytest-capquery

Quick Start

The plugin does not provide a default database fixture, as it is designed to adapt to your specific SQLAlchemy topology. You must define a global fixture in your conftest.py to bind pytest-capquery to your project's database engine.

1. Setting Up Your Fixture (conftest.py)

To intercept queries from your custom engine, use the CapQueryWrapper and inject the capquery_context fixture (which automatically handles snapshot file resolution behind the scenes).

Standard Synchronous Engines

import pytest
from pytest_capquery.plugin import CapQueryWrapper

@pytest.fixture(scope="function")
def postgres_capquery(postgres_engine, capquery_context):
    """Binds capquery to a custom PostgreSQL testing engine."""
    with CapQueryWrapper(postgres_engine, snapshot_manager=capquery_context) as captured:
        yield captured

Asynchronous Engines (AsyncEngine)

If your project uses SQLAlchemy's AsyncEngine (e.g., with asyncpg or aiomysql), you must attach the wrapper to the underlying synchronous engine. SQLAlchemy does not support event listeners directly on async engine proxies.

import pytest
from pytest_capquery.plugin import CapQueryWrapper

@pytest.fixture(scope="function")
def async_pg_capquery(async_pg_engine, capquery_context):
    """
    Binds capquery to an AsyncEngine by intercepting the underlying .sync_engine.
    This prevents 'NotImplementedError: asynchronous events are not implemented' errors.
    """
    with CapQueryWrapper(async_pg_engine.sync_engine, snapshot_manager=capquery_context) as captured:
        yield captured

By following this pattern, your custom fixtures automatically inherit the full snapshot lifecycle, error tracking, and CLI flags (--capquery-update) without needing to manually map test paths or instantiate SnapshotManager objects.

2. Documenting with SQL Snapshots (Recommended)

The most efficient way to document and protect your queries is by utilizing physical snapshots. This automatically compares execution behavior against tracked .sql files stored in a __capquery_snapshots__ directory.

Use the custom fixture you defined (e.g., postgres_capquery) and the capture() context manager to isolate specific execution phases.

def test_update_user_status(postgres_session, postgres_capquery):
    # Enable assert_snapshot to verify execution against the disk
    with postgres_capquery.capture(assert_snapshot=True):
        user = postgres_session.query(User).filter_by(id=1).first()
        user.status = "active"
        postgres_session.commit()

Workflow: When writing a new test or updating existing query logic, run Pytest with the update flag to automatically generate or overwrite the snapshot files:

pytest --capquery-update

Future runs without the flag will strictly assert that the runtime queries perfectly match the generated .sql file.

3. Manual Explicit Assertions (Verbose)

If you prefer to explicitly document the executed SQL directly inside your test cases, you can use strict manual assertions.

def test_update_user_status(postgres_session, postgres_capquery):
    with postgres_capquery.capture() as phase:
        user = postgres_session.query(User).filter_by(id=1).first()
        user.status = "active"
        postgres_session.commit()

    # Verify the precise chronological timeline of the transaction
    phase.assert_executed_queries(
        "BEGIN",
        (
            """
            SELECT users.id, users.status
            FROM users
            WHERE users.id = %s
            """,
            (1,)
        ),
        (
            """
            UPDATE users SET status=%s WHERE users.id = %s
            """,
            ("active", 1)
        ),
        "COMMIT"
    )

Auto-Generation on Failure: Maintaining long SQL strings can be tedious. If your code changes and the assertion fails, pytest-capquery will intercept the failure and drop the correct Python assertion block directly into your terminal's stdout. Simply copy and paste the block from your terminal directly into your test to instantly fix the regression!

4. Preventing N+1 Queries (Loose Assertion)

If you want to protect a block of code against N+1 regressions without hardcoding exact SQL strings, you can enforce a strict expected query count at the context boundary:

def test_fetch_users(postgres_session, postgres_capquery):
    # Enforce that exactly 1 query is executed inside this block.
    # If a lazy-loading loop triggers extra queries, this will raise an AssertionError.
    with postgres_capquery.capture(expected_count=1):
        users = postgres_session.query(User).all()
        for user in users:
            _ = user.address

Contributing

We welcome contributions to make this plugin even better! To ensure a smooth process, please follow these steps:

  1. Open an Issue: Before writing any code, please open an issue to discuss the feature, enhancement, or bug fix you have in mind.
  2. Contribute the Code: Once discussed, fork the repository, create your branch, make your changes, and submit a Pull Request.
  3. Review & Release: All PRs will be reviewed. Once approved and merged, the release process will be managed by the maintainer.

Developer Setup

To get your local environment ready for contribution, run the following commands. We prioritize a Test-Driven Development (TDD) workflow to continuously monitor database interactions.

# Clone the repository
git clone https://github.com/fmartins/pytest-capquery.git
cd pytest-capquery

# Install Python, dependencies, and pre-commit hooks
make setup

# Start the TDD watcher (auto-runs tests and updates snapshots on file changes)
make tdd

Makefile Reference

make help

Usage:
  make <target>

Targets:
  help                 Show this help message
  setup                Full local setup: install pyenv python, create venv, and install deps
  setup-env            Install local python version via pyenv (macOS/Linux dev only)
  install              Create venv and install dependencies
  db-up                Start Docker Compose databases
  db-down              Tear down Docker Compose databases
  test                 Run all tests with code coverage and test analytics
  tdd                  Run tests in watch mode for test-driven development
  clean                Remove virtual environment and cached files
  format               Run formatters for python, markdown, yaml, and json files
  check-format         Check if files comply with formatting rules (for CI)

License

This project is licensed under the Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International (CC BY-NC-SA 4.0).

Author: Felipe Cardoso Martins

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

pytest_capquery-0.3.2.tar.gz (20.3 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

pytest_capquery-0.3.2-py3-none-any.whl (19.4 kB view details)

Uploaded Python 3

File details

Details for the file pytest_capquery-0.3.2.tar.gz.

File metadata

  • Download URL: pytest_capquery-0.3.2.tar.gz
  • Upload date:
  • Size: 20.3 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/6.1.0 CPython/3.13.7

File hashes

Hashes for pytest_capquery-0.3.2.tar.gz
Algorithm Hash digest
SHA256 9313cfb1b62d9df870638cf0c296c82809bbb7cb13f69f647402793be8e51ed9
MD5 f90616339ec424c721bd20070d0b53f5
BLAKE2b-256 7d8c853b63164aee42ea70a9fd81d322e8f2839b5f0479c7af24688ad9d83e41

See more details on using hashes here.

Provenance

The following attestation bundles were made for pytest_capquery-0.3.2.tar.gz:

Publisher: publish.yml on fmartins/pytest-capquery

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

File details

Details for the file pytest_capquery-0.3.2-py3-none-any.whl.

File metadata

File hashes

Hashes for pytest_capquery-0.3.2-py3-none-any.whl
Algorithm Hash digest
SHA256 7fe78f45829101030d006009e02d166ed5292161ad523a24d18126dadbeb157b
MD5 3b8960cd4988aeba4c786026a4a7ed2b
BLAKE2b-256 f83378e22ed5ba9fbbbd841db9881cb8b8ef717e44addf88a29db28da2dfd31c

See more details on using hashes here.

Provenance

The following attestation bundles were made for pytest_capquery-0.3.2-py3-none-any.whl:

Publisher: publish.yml on fmartins/pytest-capquery

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page