Skip to main content

Prompt versioning with CI/CD regression gates — version, test, diff, and deploy prompts with quality gates, schema evolution, PII scrubbing, and full observability

Project description

promptregistry

Prompt versioning with CI/CD regression gates — for production LLM engineering.

Version, diff, test, and deploy prompts with quality gates, schema migration, PII scrubbing, and full observability.

pip install promptregistry

Why promptregistry?

In 2026, prompt changes are the most common cause of silent LLM regressions. Teams edit prompts in Google Docs, paste them into code, and ship — with zero version control, no diff visibility, and no quality gates. When output quality degrades, nobody knows which prompt change caused it.

promptregistry brings software engineering discipline to prompt management.


Quickstart

from promptci import (
    PromptRegistry, PromptVersion, PromptStatus,
    LengthGate, VariableGate, InjectionRiskGate, RegressionGatePipeline,
)

# Create and register a versioned prompt
registry = PromptRegistry()

prompt_v1 = PromptVersion(
    name="summarize",
    version="1.0.0",
    content="Summarize the following text: {{text}}. Be concise.",
    tags=["summarization"],
    status=PromptStatus.ACTIVE,
)
registry.register(prompt_v1)

# Render with variable substitution
rendered = registry.render("summarize", {"text": "The quick brown fox..."})
print(rendered)

# Run CI gates before deploying v2
pipeline = (
    RegressionGatePipeline()
    .add_gate(LengthGate(min_chars=20, max_chars=5000))
    .add_gate(VariableGate(required=["text"]))
    .add_gate(InjectionRiskGate())
)
report = pipeline.run(prompt_v1)
print(f"Gates passed: {report.overall_passed}")

Built-in Regression Gates

Gate Description
LengthGate Min/max character length check
VariableGate Required {{variable}} presence
InjectionRiskGate Blocks injection patterns (ignore previous instructions, etc.)
KeywordCoverageGate Required keywords coverage fraction

Prompt Diff

from promptci import diff_prompts, diff_to_unified

diff = diff_prompts(prompt_v1, prompt_v2)
print(diff.summary())        # ScoreDiff summary
print(diff.changed)          # True / False
print(diff.char_delta)       # Character delta

print(diff_to_unified(prompt_v1, prompt_v2))   # Unified diff string

Advanced Features

Caching (LRU + TTL + SHA-256)

from promptci.advanced import PromptCache

cache = PromptCache(max_size=1000, ttl=600)
memoized_render = cache.memoize(registry.render)
rendered = memoized_render("summarize", "1.0.0", {"text": "hello"})
print(cache.stats())

Prompt Pipeline

from promptci.advanced import PromptPipeline

pipeline = (
    PromptPipeline()
    .map("strip_trailing", lambda p: p.model_copy(update={"content": p.content.strip()}))
    .filter("active_only", lambda p: p.status == PromptStatus.ACTIVE)
    .with_retry("strip_trailing", retries=2)
)
result = pipeline.run(prompt_v1)
print(pipeline.audit_log)

Declarative Validation + Schema Evolution

from promptci.advanced import PromptValidator, PromptRule, SchemaEvolver

validator = (
    PromptValidator()
    .add_rule(PromptRule("non_empty", lambda p: len(p.content) > 0, "Content required"))
    .add_rule(PromptRule("has_tags", lambda p: len(p.tags) > 0, "At least one tag required"))
)
violations = validator.validate(prompt_v1)

evolver = SchemaEvolver()
evolver.register_migration("1.0.0", "2.0.0", lambda p: p.model_copy(update={"description": "v2 prompt"}))
prompt_v2 = evolver.migrate(prompt_v1, "2.0.0")

PII Scrubbing

from promptci.advanced import PIIScrubber

scrubber = PIIScrubber()
clean = scrubber.scrub("Contact: john@example.com, SSN: 123-45-6789")
# → "Contact: [EMAIL], SSN: [SSN]"

Async Batch Registration

from promptci.advanced import abatch_register, batch_register
import asyncio

asyncio.run(abatch_register(prompt_list, registry.register))
batch_register(prompt_list, registry.register, max_workers=8)

Rate Limiter (sync + async)

from promptci.advanced import RateLimiter

limiter = RateLimiter(rate=50, capacity=50)
if limiter.acquire():
    rendered = registry.render("summarize", {"text": "..."})

Observability

from promptci.advanced import PromptProfiler, DriftDetector, CIReportExporter

profiler = PromptProfiler()
profiled_render = profiler.profile(registry.render)
profiled_render("summarize", {"text": "hi"})
print(profiler.report())

detector = DriftDetector(threshold=0.05)
detector.set_baseline(report_v1)
drifts = detector.detect(report_v2)

exporter = CIReportExporter(report)
print(exporter.to_json())
print(exporter.to_csv())
print(exporter.to_markdown())

Streaming

from promptci.advanced import stream_versions, versions_to_ndjson

for pv in stream_versions(prompt_list):
    print(pv.name, pv.version)

for line in versions_to_ndjson(prompt_list):
    print(line)

Regression Tracking

from promptci.advanced import PromptRegressionTracker, ScoreTrend

tracker = PromptRegressionTracker(window=20)
tracker.record(report_v1)
tracker.record(report_v2)
print(tracker.trend())               # "improving" / "declining" / "stable"
print(tracker.latest_regression())

trend = ScoreTrend(window=10)
for score in [0.7, 0.8, 0.9]:
    trend.record(score)
print(trend.trend(), trend.volatility())

Audit Log + Cost Ledger + Model Router

from promptci.advanced import AuditLog, CostLedger, ModelRouter

log = AuditLog()
log.log("deploy", {"name": "summarize", "version": "2.0.0"})

ledger = CostLedger()
ledger.record("summarize", "2.0.0", tokens=500, cost_usd=0.01)
print(ledger.summary())

router = ModelRouter(cheap_threshold=200)
model = router.route(prompt_v1)   # "gpt-4o-mini" or "gpt-4o"

Persistence

registry.save("registry.json")
registry.load("registry.json")

Installation

pip install promptregistry

Python 3.8+ · No external dependencies (stdlib + pydantic)


License

MIT

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

promptci-1.1.2.tar.gz (18.6 kB view details)

Uploaded Source

Built Distribution

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

promptci-1.1.2-py3-none-any.whl (15.7 kB view details)

Uploaded Python 3

File details

Details for the file promptci-1.1.2.tar.gz.

File metadata

  • Download URL: promptci-1.1.2.tar.gz
  • Upload date:
  • Size: 18.6 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.11.9

File hashes

Hashes for promptci-1.1.2.tar.gz
Algorithm Hash digest
SHA256 1e8183d32de1ad519a5f4c5a4e3765baf26f5acb79c7125959e3b94e03e0164b
MD5 968c051f93377942870245e387c1fa6d
BLAKE2b-256 d67f62249bfec4dee6280636189fa095de7c4afed825b096a2d0d19309e4ae4b

See more details on using hashes here.

File details

Details for the file promptci-1.1.2-py3-none-any.whl.

File metadata

  • Download URL: promptci-1.1.2-py3-none-any.whl
  • Upload date:
  • Size: 15.7 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.11.9

File hashes

Hashes for promptci-1.1.2-py3-none-any.whl
Algorithm Hash digest
SHA256 24f3e8dd62da16370c4133ebc6be6187e8813d3677ef88280096a8fa84660e16
MD5 0b86ae9862fa574f0f0b6f7533eb36d3
BLAKE2b-256 95e723ff543ddac3fdf1d764fc962be7d585ca8d852fae03746674ae95772e0e

See more details on using hashes here.

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