Skip to main content

Zero-Version Interface Contracts (ZVIC) - signature-based compatibility for Python modules.

Project description

License: MIT Python 3.12 Test / Build / Publish

ZVIC

ZVIC: Runtime interface compatibility for Python modules—no version numbers required.

Zero-Version Interface Contracts (ZVIC) is both a project and a paradigm for signature-based compatibility in Python modules. ZVIC enables safe, dynamic code reuse and interface stability without version numbers, using runtime verification of callable structure.

License: MIT — see the LICENSE file for details (SPDX: MIT).

Key Concepts

  • Zero-Version Interface Contracts (ZVIC): Manages code compatibility without version numbers, relying on signature hashes and runtime checks. Contracts are verified at definition time and dynamically at runtime.

Who Should Use ZVIC?

  • Library authors who want to guarantee interface compatibility without versioning headaches.
  • Teams practicing hot-reload or rapid deployment of Python modules.
  • Anyone needing robust, runtime-checked API contracts for Python code.

Goals

  • Eliminate the need for semantic versioning in shared code
  • Enable safe, hot-reloadable modules
  • Provide runtime guarantees for interface compatibility
  • Facilitate rapid development and deployment cycles

Installation & requirements

  • Requirements:

    • Python 3.12+
  • Install (user):

     pip install zvic
    
  • Install (developer / editable):

    1. Create and activate a virtual environment

      • Windows (PowerShell):

        py -3.12 -m venv .venv
        .\.venv\Scripts\Activate.ps1
        
      • Unix / macOS:

        python3 -m venv .venv
        source .venv/bin/activate
        
    2. Install the package in editable mode:

      pip install -e .
      

    If you want CrossHair support for semantic constraint analysis (optional), install the extra:

     pip install .[crosshair]
    

Quickstart

For a minimal programmatic check you can use the following snippet (run from the repo root):

from pathlib import Path
from zvic import load_module
from zvic.compatibility import is_compatible
from zvic.exception import SignatureIncompatible

a = load_module(Path('tests/stuff/mod_a.py'), 'mod_a')
b = load_module(Path('tests/stuff/mod_b.py'), 'mod_b')

try:
	is_compatible(a.P2, b.P2)
	print('compatible')
except SignatureIncompatible as e:
	print('incompatible:')
	print(e.to_json())

Compatibility testing levels

ZVIC tests compatibility at multiple levels to give consumers high confidence before accepting a new module or version. The test strategy is deliberate and layered so that regressions are caught early and explained clearly.

Public interface

  • Modules are compared by their public attributes (respecting __all__ when present). Any public attribute present in A but missing from B is reported as an incompatibility.
  • Class and enum checks
    • Classes are compared for missing methods, and important special call sites such as __init__ and __call__ are compared recursively.
    • Enum compatibility ensures member presence and value stability (we require that names present in A also exist in B and that their underlying values remain equal), while allowing reordering or new additional members in B.

Signatures

  • Callables (functions, methods, class __call__) are checked for signature compatibility. This covers parameter kinds (positional-only, positional-or-keyword, keyword-only), *args/**kwargs, default values, and parameter names where appropriate.
  • are_params_compatible() implements the scenario-based rules from the spec and raises structured errors when B cannot accept all calls that A accepts.

Type per Parameter

  • is_type_compatible() implements rules such as: exact-type equality, allowed widening (derived→base contravariant acceptance), disallowed narrowing (base→derived), container invariance for invariants (e.g., list[int]), and ABC-aware acceptance.

Constraints

  • ZVIC recognizes constraints in the form of foo(x: int(_ > 10) and transforms the inner expression into a form crosshair understands as well as an assert for runtime checking
  • Constraint checking is best-effort: if the optional CrossHair analyser is installed, ZVIC will attempt a semantic verification (searching for counterexamples). If CrossHair is not available or cannot analyze a predicate, ZVIC falls back to deterministic heuristics (for example numeric/length comparisons) and ultimately to exact-match of the constraint expression.

How to run the test-suite

From the repository root:

pytest -q

Run the main test:

pytest tests/test_spec08_compatibility.py -q

Optional: run an individual test by name with -k.

Constraint checking and security - BEWARE MAGIC

Take this example:

def foo(x: int(_ < 10)) -> int(_ < 10):
	return x * 2

Note that the _ < 10 must be a valid Python expression (and thus is valid Python syntax, even though it looks weird!), but it is not evaluated in this context. With from __future__ import annotations, the whole annotation is treated as a string. ZVIC extracts this part and transforms it - first we append it to the docstring as pre/post conditions for crosshair to analyze "statically", second we transform the expression into a valid assert for runtime checking, if the interpreter is running in debug (not-optimized) mode.

If CrossHair is present, ZVIC will try to use it to search for counterexamples; if CrossHair is not present or cannot handle the predicate, ZVIC uses deterministic heuristics (numeric/length comparisons) and finally requires an exact expression match as a last resort.

Security note

ZVIC performs runtime annotation resolution and, in some code paths, evaluates constraint expressions. This can execute arbitrary code from the loaded module. Do not run ZVIC against untrusted code without an appropriate sandbox. If you must inspect untrusted modules, consider running ZVIC in an isolated environment (container, VM, or restricted subprocess). Since ZVIC also makes use of eval() to check type compatibility in dynamic contexts, be aware that this can execute arbitrary code from the module being checked even if you don't make use of constraints - exercise caution.

Runtime requirements and packaging

  • Python: 3.12+
  • Install locally (editable):
pip install -e .

Release notes and changelog

See CHANGELOG.md for release history and the summary of specs implemented in each release.

Examples (from spec-08 tests)

Below are small, representative examples taken from the spec-08 compatibility tests in tests/stuff/ with the expected ZVIC behaviour.

  • Compatible example (P1): positional-only parameters, same required/total — compatible, different names
# Module A
def P1(a, b, /):
	pass

# Module B
def P1(x, y, /):
	pass

# Expected: is_compatible(mod_a.P1, mod_b.P1) -> no exception (compatible)
  • Incompatible example (P2): B adds a required parameter — incompatible
# Module A
def P2(a, b, /):
	pass

# Module B
def P2(x, y, z, /):
	pass

# Expected: is_compatible(mod_a.P2, mod_b.P2) -> raises SignatureIncompatible
# Typical diagnostic (ZVIC will raise `SignatureIncompatible` with context):
# {
#   "message": "B has more required parameters than A",
#   "context": {"A": "(a, b, /)", "B": "(x, y, z, /)"},
#   "error_id": "ZV1001",
# }
  • Constraint narrowing example (C4): A permits values < 20, B restricts to < 10 — incompatible
# Module A
def C4(a: int(_ < 20)):
	pass

# Module B
def C4(a: int(_ < 10)):
	pass

# Expected: is_compatible(mod_a.C4, mod_b.C4) -> raises SignatureIncompatible
# Typical diagnostic message string produced by ZVIC:
# "Constraint mismatch for parameter a: _ < 20 vs _ < 10 (B is narrower and thus incompatible: some inputs that A accepts will not be accepted by B)"

Try the examples

You can run a small convenience script that loads the real tests/stuff modules and prints compatibility results for a few spec-08 scenarios.

From the repository root (PowerShell example):

py -3.12 examples/run_spec08_examples.py

Or, if your default python interpreter is Python >= 3.12 and on PATH:

py examples/run_spec08_examples.py

Sample output (trimmed):

--- Example: P1 --- Result: compatible (no exception)

--- Example: P2 --- Result: incompatible — diagnostic: { "error_id": "ZV1001", "type": "SignatureIncompatible", "severity": "error", "message": "B has more required parameters than A", "context": {"A": "(a, b, /)", "B": "(x, y, z, /)", "llm_hint": "..."}, ... }

--- Example: C4 --- Result: incompatible — diagnostic: { "error_id": "ZV1001", "type": "SignatureIncompatible", "severity": "error", "message": "Constraint mismatch for parameter a: _ < 20 vs _ < 10 (B is narrower and thus incompatible: some inputs that A accepts will not be accepted by B)", ... }

Project status

Stability: Beta

  • Development status: actively developed and maintained. The test-suite runs locally and the repository currently has a comprehensive unit test suite, with all tests passing.
  • Test coverage: unit tests exercise canonicalization, compatibility scenarios, and edge-cases.
  • API stability: not guaranteed. Public APIs may change between releases as the project iterates on the specification and compatibility rules — please pin versions for production use and run the test-suite when upgrading.
  • Recommended use: evaluation, experimentation, and integration testing. For critical production use, perform an acceptance pass and pin a released version.
  • Contributing: contributions, issues, and PRs are welcome; see CHANGELOG.md and the docs/specs/ for the current design decisions.

Project Structure

  • README.md - this document
  • src/ - Main source code
  • tests/ - Test suite (unit, integration, TDD, quick tests)
  • docs/specs/ - Detailed specifications
  • pyproject.toml - Build and packaging configuration
  • setup.py - Minimal legacy packaging script
  • CHANGELOG.md - Release notes and change history
  • examples/ - Example scripts and usage patterns

Further Reading

Versioning Scheme

ZVIC uses a CalVer versioning scheme: YYYY.0W[.patchN/devN/rcN], where:

  • YYYY is the year
  • 0W is the zero-padded ISO week number
  • Optional .patchN, .devN, .rcN for patches, dev, or release candidates

For example, 2025.26 corresponds to week 26 of 2025. This mirrors the structure of our Scrum logs (see /docs/scrum/README.md).

Office Hours

You can also contact me one-on-one! Check my office hours to set up a meeting :-)

If you have questions also feel free to use the github issues or the ZVIC Discussions.

Enjoy!

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

zvic-2025.34.2.tar.gz (33.3 kB view details)

Uploaded Source

Built Distribution

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

zvic-2025.34.2-py3-none-any.whl (30.3 kB view details)

Uploaded Python 3

File details

Details for the file zvic-2025.34.2.tar.gz.

File metadata

  • Download URL: zvic-2025.34.2.tar.gz
  • Upload date:
  • Size: 33.3 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/6.1.0 CPython/3.12.9

File hashes

Hashes for zvic-2025.34.2.tar.gz
Algorithm Hash digest
SHA256 c8bf6ab4333bb0061024c923485401c3d635430dabe10b24e98fdb0d976149d3
MD5 102e7eb59d5be4ec767e6d585fb33cc5
BLAKE2b-256 686051ff6c5903de70828bf42eac73c1aef7bd0e108c48623313dfc6fa2b3b45

See more details on using hashes here.

Provenance

The following attestation bundles were made for zvic-2025.34.2.tar.gz:

Publisher: publish.yml on amogorkon/ZVIC

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

File details

Details for the file zvic-2025.34.2-py3-none-any.whl.

File metadata

  • Download URL: zvic-2025.34.2-py3-none-any.whl
  • Upload date:
  • Size: 30.3 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/6.1.0 CPython/3.12.9

File hashes

Hashes for zvic-2025.34.2-py3-none-any.whl
Algorithm Hash digest
SHA256 445877d8a168cd3a9724b761157ab877f885e7c0249f17d8133137ad4679a928
MD5 045d3f61edfd7fbd3fc6cd846ad00e01
BLAKE2b-256 d9ea9b036e3d09de683913e49743e963f94d67622ed450e33f1b908f46044769

See more details on using hashes here.

Provenance

The following attestation bundles were made for zvic-2025.34.2-py3-none-any.whl:

Publisher: publish.yml on amogorkon/ZVIC

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