Extending IVPM
IVPM is designed to be extended with custom package handlers. A handler is a Python class that observes packages as they are loaded and performs actions — such as setting up a virtual environment, writing IDE integration files, or invoking a downstream tool. IVPM discovers handlers through Python entry points, so any installed package can contribute new handlers without modifying IVPM itself.
Overview
IVPM handlers participate in two phases of every update/clone run:
- Leaf phase
Called once per package, on a worker thread, as each package is fetched and made available on disk. Leaf callbacks run concurrently — one per fetched package — so they are well-suited to lightweight per-package detection tasks.
- Root phase
Called once per run, on the main thread, after all packages have been fetched. Root callbacks see the full package list and are used for heavier work such as creating virtual environments or generating toolchain files.
Both phases are optional — a handler may implement only the one(s) it needs.
The PackageHandler Base Class
All handlers extend ivpm.handlers.PackageHandler:
import dataclasses as dc
from typing import ClassVar, List, Optional
from ivpm.handlers import PackageHandler, HandlerFatalError, ALWAYS, HasType
@dc.dataclass
class MyHandler(PackageHandler):
# --- Metadata (class-level, not instance attributes) ---
name: ClassVar[str] = "my-handler"
description: ClassVar[str] = "Does something useful"
phase: ClassVar[int] = 0 # lower = earlier in root phase
# --- When to activate (see Conditions section below) ---
leaf_when: ClassVar[Optional[List]] = None # None = always run as leaf
root_when: ClassVar[Optional[List]] = None # None = always run as root
# --- Per-run state (cleared by reset()) ---
_found_pkgs: list = dc.field(default_factory=list, init=False, repr=False)
def reset(self):
"""Called automatically at the start of each run."""
self._found_pkgs = []
# --- Leaf callback ---
def on_leaf_post_load(self, pkg, update_info):
if (pkg.path / "my-marker.txt").exists():
with self._lock:
self._found_pkgs.append(pkg)
# --- Root callback ---
def on_root_post_load(self, update_info):
for pkg in self._found_pkgs:
print(f"Processing {pkg.name}")
Class-level Metadata
nameShort identifier for the handler, used in log messages and entry-point registration. Required.
descriptionHuman-readable description shown in verbose output.
phaseInteger ordering key for the root phase. Handlers with lower phase numbers run first. Leaf phase ordering is determined by package fetch order, not by this value. Default:
0.leaf_whenA list of leaf conditions (see below), or
Noneto always run as a leaf handler. Use[](empty list) to opt out of leaf dispatch entirely.root_whenA list of root conditions (see below), or
Noneto always run as a root handler. Use[]to opt out of root dispatch entirely.
Callbacks
reset()Clear per-run accumulated state. Called automatically by
on_root_pre_load()at the start of every run. Override this to reset any lists or counters that accumulate across leaf callbacks.on_leaf_pre_load(pkg, update_info)Called before a package is fetched. Rarely needed;
on_leaf_post_loadis usually the right choice.on_leaf_post_load(pkg, update_info)Called after a package is ready on disk. The package directory exists and can be inspected. Runs concurrently — always use
with self._lock:when writing to shared handler state.on_root_pre_load(update_info)Called before any packages start loading. Calls
reset()automatically. Override this only if you need additional setup before leaf callbacks begin.on_root_post_load(update_info)Called after all packages have been fetched. Runs on the main thread. This is where long-running work (venv creation, codegen, etc.) belongs.
get_lock_entries(deps_dir) -> dictReturn extra top-level keys to merge into the project’s lock file. Called after
on_root_post_load(). Default returns{}.build(build_info)Called by
ivpm build. Override to perform package build steps.add_options(subcommands)Register handler-specific CLI flags.
subcommandsis adictmapping subcommand name → argparse subparser. Called during CLI parser setup.
Conditions
Conditions control when a handler is active. They are plain callables stored in
leaf_when / root_when class variables. IVPM provides three built-in
conditions:
from ivpm.handlers import ALWAYS, HasType, HasSourceType
ALWAYSSentinel condition that always returns
True. Useful as an explicit marker that a handler is intentionally unconditional.HasType(type_name)Root condition. Returns
Trueif any loaded package has the given type, determined by either:pkg.pkg_type— set dynamically by a leaf handlerpkg.type_data— set from thetype:field inivpm.yaml
Example — only run the root phase when at least one Python package was detected:
root_when = [HasType("python")]
HasSourceType(src_type)Dual-mode condition. When used in
leaf_when, receives a single package and returnsTrueif its source type matches. When used inroot_when, receives the full package list and returnsTrueif any package matches.Example — only inspect git-sourced packages:
leaf_when = [HasSourceType("git")]
You may also write your own conditions as any callable:
def has_cmake(pkg):
"""True if the package contains a CMakeLists.txt."""
return (pkg.path / "CMakeLists.txt").exists()
class MyCMakeHandler(PackageHandler):
leaf_when = [has_cmake]
root_when = [HasType("cmake")]
All conditions in a list are AND’d — all must be True for the handler to
be active.
Thread Safety
Leaf callbacks run concurrently. The base class provides self._lock
(a threading.Lock) for synchronising writes to accumulated state:
def on_leaf_post_load(self, pkg, update_info):
if self._is_relevant(pkg):
with self._lock: # ← required when writing shared state
self._found_pkgs.append(pkg)
Read-only access inside a single leaf callback does not require the lock.
Progress Reporting
Handlers can report progress to the TUI using task_context():
def on_root_post_load(self, update_info):
steps = list(self._found_pkgs)
with self.task_context(update_info, "my-handler-setup", "Setting up MyTool") as task:
for i, pkg in enumerate(steps):
task.progress(f"Processing {pkg.name}", step=i + 1, total=len(steps))
self._process(pkg)
task_context(info, task_id, task_name)Context manager that emits
HANDLER_TASK_STARTon entry,HANDLER_TASK_ENDon clean exit, andHANDLER_TASK_ERRORon exception (then re-raises). Returns aTaskHandle.task.progress(message, step=None, total=None)Emit a
HANDLER_TASK_PROGRESSevent. The TUI displays the most recent message and, whenstep/totalare provided, a fraction like2/5.task.task_context(task_id, task_name)Create a nested child task displayed under the parent in the TUI.
If no TUI is active (e.g. in non-interactive mode), task_context() and
task.progress() are no-ops — it is always safe to call them.
Fatal Errors
To abort an entire update run from inside a leaf callback, raise
HandlerFatalError:
from ivpm.handlers import HandlerFatalError
def on_leaf_post_load(self, pkg, update_info):
if not self._check(pkg):
raise HandlerFatalError(f"Required file missing in {pkg.name}")
Non-fatal exceptions logged inside a leaf callback are caught and reported as warnings; the run continues with remaining packages.
Registering a Handler via Entry Points
IVPM discovers handlers through the ivpm.handlers entry-point group.
Add the following to your pyproject.toml:
[project.entry-points."ivpm.handlers"]
my-handler = "mypkg.my_handler:MyHandler"
Or, if you use setup.cfg:
[options.entry_points]
ivpm.handlers =
my-handler = mypkg.my_handler:MyHandler
Each value must point to a class that extends PackageHandler.
IVPM instantiates the class once per update run.
After installing your package (pip install -e .), run
ivpm show handler to confirm that IVPM discovered your handler correctly.
IVPM will also automatically load MyHandler on every update or
clone run.
Complete Example
The following example shows a handler that detects packages containing
FuseSoC .core files and writes a consolidated library list:
# src/myext/fusesoc_handler.py
import dataclasses as dc
import pathlib
from typing import ClassVar, List, Optional
from ivpm.handlers import PackageHandler, HasType
@dc.dataclass
class FuseSocHandler(PackageHandler):
name: ClassVar[str] = "fusesoc"
description: ClassVar[str] = "Collect FuseSoC core libraries"
phase: ClassVar[int] = 10
# Activate root phase only when FuseSoC packages were detected
root_when: ClassVar[Optional[List]] = [HasType("fusesoc")]
_lib_paths: list = dc.field(default_factory=list, init=False, repr=False)
def reset(self):
self._lib_paths = []
def on_leaf_post_load(self, pkg, update_info):
cores = list(pathlib.Path(pkg.path).rglob("*.core"))
if cores:
pkg.pkg_type = "fusesoc" # marks package for HasType("fusesoc")
with self._lock:
self._lib_paths.append(str(pkg.path))
def on_root_post_load(self, update_info):
out = pathlib.Path(update_info.deps_dir) / ".." / "fusesoc.conf"
with self.task_context(update_info, "fusesoc-write", "Writing FuseSoC config") as task:
task.progress(f"Writing {len(self._lib_paths)} library paths")
with open(out, "w") as f:
for p in self._lib_paths:
f.write(f"[cores]\nlocation = {p}\n\n")
Register it:
[project.entry-points."ivpm.handlers"]
fusesoc = "myext.fusesoc_handler:FuseSocHandler"
Handler Ordering and the Extension Group
IVPM loads handlers in this order:
Built-in handlers (Python, Direnv, Skills) — all at phase
0Extension handlers discovered via
ivpm.handlersentry points, in installation order
Within the root phase, handlers with the same phase number run in the order they were registered. Leaf callbacks always run concurrently with no guaranteed ordering.
To run after all built-in handlers, use phase = 10 or higher. To run before
a built-in, use a negative phase (though this is rarely needed).
Built-in Handlers
IVPM ships three built-in handlers. They are registered via the
ivpm.handlers entry-point group and run at phase = 0 on every
update and clone invocation.
Tip
Run ivpm show handler to see all registered handlers (built-in and
third-party) with live documentation. Use ivpm show handler python
for full per-handler detail including CLI options.
Python Handler (python)
Manages the project-local Python virtual environment at packages/python/.
Activation:
Leaf phase — runs for every package; detects Python packages by checking for
setup.py,setup.cfg,pyproject.toml(git/dir/file sources) or bysrc: pypi. Detected packages are taggedpkg.pkg_type = "python".Root phase — activated by
HasType("python"), i.e. only runs when at least one Python package was detected. Creates or updates the venv, then installs all detected packages.
``with:`` parameters (in ivpm.yaml)
editable(boolean, default: true)Install source packages in editable mode (
pip install -e). Set tofalseto install as a regular non-editable package.extras(string or list of strings)PEP 508 extras to request, e.g.
[tests, docs].
CLI options (accepted by both update and clone):
--py-uvUse
uvinstead of pip to manage the virtual environment.--py-pipForce use of pip (overrides uv auto-detection).
--skip-py-installSkip Python package installation entirely (venv still created if absent).
--force-py-installForce re-installation of all Python packages, ignoring the lock file.
--py-prerls-packagesAllow pre-release packages when resolving dependencies.
--py-system-site-packagesCreate the venv with
--system-site-packagesso it inherits packages installed in the system Python.
Direnv Handler (direnv)
Collects per-package environment files and assembles them into a single
packages/packages.envrc that can be sourced by
direnv.
Activation:
Leaf phase — always runs; looks for
.envrcorexport.envrcinside each package directory.Root phase — always runs (even when no per-package files were found, so that
packages/packages.envrcalways exists anddirenv allowis safe).
Output: packages/packages.envrc — a shell script that sources all
discovered per-package .envrc / export.envrc files in dependency order.
No ``with:`` parameters and no CLI options.
To use this with direnv, add the following to your project-level .envrc:
source_env packages/packages.envrc
Skills Handler (skills)
Aggregates per-package SKILL.md / SKILLS.md files into a single
packages/SKILLS.md for use by AI coding agents.
Activation:
Leaf phase — always runs; looks for
SKILL.mdorSKILLS.mdin each package root.Root phase — always runs; concatenates all discovered skill files into one unified document.
Output: packages/SKILLS.md — a combined skills reference. AI agents
(such as GitHub Copilot CLI) automatically discover this file when the
packages/ directory is on the workspace path.
No ``with:`` parameters and no CLI options.
Testing Your Handler
The simplest way to test a handler in isolation is with the stubs already used by IVPM’s own test suite:
import threading, unittest
from ivpm.handlers import PackageHandler
class FakeUpdateInfo:
def __init__(self):
self.event_dispatcher = None
self.deps_dir = "/tmp/fake-deps"
class FakePkg:
def __init__(self, name, path="/tmp/pkg"):
self.name = name
self.path = pathlib.Path(path)
self.pkg_type = None
class TestMyHandler(unittest.TestCase):
def test_detects_marker(self):
h = MyHandler()
pkg = FakePkg("test-pkg", path="/path/with/marker")
info = FakeUpdateInfo()
h.on_leaf_post_load(pkg, info)
self.assertEqual(pkg.pkg_type, "my-type")