Governance and evidence layer for multi-agent AI decision arbitration
Project description
saalis
Governance and evidence layer for multi-agent AI decision arbitration.
When multiple AI agents produce conflicting outputs, Saalis provides configurable resolution strategies, policy enforcement, explainability, and audit logging.
Install
uv add saalis
Or for development:
git clone https://github.com/ulhaqi12/saalis
cd saalis
uv sync --all-packages --extra dev
Quickstart
import asyncio
from saalis import Arbitrator, Agent, Decision, Proposal
from saalis.strategy import WeightedVote
from saalis.audit.jsonl import JSONLAuditStore
async def main():
agents = [
Agent(id="a1", name="GPT-4o", weight=0.6),
Agent(id="a2", name="Claude", weight=0.8),
]
decision = Decision(
question="Should we approve this PR?",
agents=agents,
proposals=[
Proposal(agent_id="a1", content="Approve", confidence=0.9),
Proposal(agent_id="a2", content="Request changes", confidence=0.7),
],
)
arb = Arbitrator(
strategies=[WeightedVote()],
audit_store=JSONLAuditStore("audit.jsonl"),
)
verdict = await arb.arbitrate(decision)
print(verdict.render("markdown"))
asyncio.run(main())
Strategies
| Strategy | Description |
|---|---|
WeightedVote |
Scores proposals by agent.weight × confidence, picks highest |
LLMJudge |
Calls an LLM to adjudicate; falls back to WeightedVote on failure |
DeferToHuman |
Returns a pending_human verdict; resolved via HTTP callback |
LLMJudge
from saalis.strategy import LLMJudge
arb = Arbitrator(
strategies=[LLMJudge(
model="gpt-4o", # any OpenAI-compatible model
base_url=None, # override for Ollama, Groq, etc.
api_key=None, # falls back to OPENAI_API_KEY env var
max_retries=3,
)],
)
verdict = await arb.arbitrate(decision)
print(verdict.render("markdown"))
Policy enforcement
from saalis.policy import PolicyEngine, MinConfidenceRule, BlocklistAgentRule
engine = PolicyEngine(rules=[
MinConfidenceRule(threshold=0.6),
BlocklistAgentRule(blocklist=["untrusted-agent-id"]),
])
arb = Arbitrator(strategies=[WeightedVote()], policy_engine=engine)
Verdict rendering
verdict.render() # plain text paragraph
verdict.render("markdown") # structured markdown (for audit logs, Slack, docs)
verdict.render("json") # full JSON
Audit stores
| Store | Usage |
|---|---|
NullAuditStore |
Default, no-op |
JSONLAuditStore(path) |
Append-only JSONL file |
SQLiteAuditStore(db_url) |
SQLite via sqlalchemy async |
HTTP Sidecar
A standalone FastAPI process for teams that can't import Python directly.
Run
# From repo root
docker build -f sidecar/Dockerfile -t saalis-sidecar .
docker run -p 8000:8000 \
-e SAALIS_STRATEGY=weighted_vote \
-e SAALIS_BEARER_TOKEN=secret \
saalis-sidecar
Or without Docker:
SAALIS_BEARER_TOKEN=secret uv run --package saalis-sidecar \
uvicorn saalis_sidecar.app:app --port 8000
Endpoints
| Method | Path | Description |
|---|---|---|
POST |
/v1/decisions/resolve |
Arbitrate a decision, returns Verdict |
GET |
/v1/decisions/{id}/audit |
Query audit events for a decision |
GET |
/v1/audit/events/{id} |
Fetch a single audit event |
POST |
/v1/decisions/{id}/human_response |
Resolve a deferred decision |
GET |
/healthz |
Liveness probe |
GET |
/readyz |
Readiness probe (checks DB) |
GET |
/metrics |
Prometheus metrics |
Example
curl -X POST http://localhost:8000/v1/decisions/resolve \
-H "Authorization: Bearer secret" \
-H "Content-Type: application/json" \
-d '{
"question": "Deploy to production?",
"agents": [{"id": "a1", "name": "GPT-4o", "weight": 0.8}],
"proposals": [
{"agent_id": "a1", "id": "p1", "content": "Deploy now", "confidence": 0.9},
{"agent_id": "a1", "id": "p2", "content": "Wait", "confidence": 0.6}
]
}'
Configuration (env vars)
| Variable | Default | Description |
|---|---|---|
SAALIS_STRATEGY |
weighted_vote |
weighted_vote | llm_judge | defer_to_human |
SAALIS_AUDIT_PATH |
./saalis_audit.db |
Path to SQLite audit file |
SAALIS_BEARER_TOKEN |
"" |
Static auth token (empty = disabled) |
SAALIS_LLM_MODEL |
gpt-4o |
Model for LLMJudge |
SAALIS_LLM_BASE_URL |
"" |
OpenAI-compatible base URL override |
SAALIS_MIN_CONFIDENCE |
"" |
Float threshold for MinConfidenceRule |
SAALIS_BLOCKLIST_AGENTS |
"" |
Comma-separated blocked agent IDs |
Development
make install-all # install lib + sidecar deps
make test # lib tests only
make test-sidecar # sidecar tests only
make test-all # both
make lint # ruff check lib
make fmt # ruff format + fix everything
make typecheck # mypy lib
make typecheck-sidecar # mypy sidecar
make all # fmt + lint + typecheck + test-all
LangGraph Integration
ArbitrationNode is a drop-in LangGraph node. It requires no langgraph import — just an async callable that reads from and writes to graph state.
from typing import TypedDict
from langgraph.graph import StateGraph, END
from saalis.integrations.langgraph import ArbitrationNode
from saalis.strategy import WeightedVote
class AgentState(TypedDict):
question: str
proposals: list
agents: list
verdict: object
node = ArbitrationNode(strategies=[WeightedVote()])
graph = StateGraph(AgentState)
graph.add_node("arbitrate", node)
graph.set_entry_point("arbitrate")
graph.add_edge("arbitrate", END)
app = graph.compile()
result = await app.ainvoke({
"question": "Which approach is better?",
"agents": [{"id": "a1", "name": "GPT-4o", "weight": 0.8}],
"proposals": [{"agent_id": "a1", "content": "Approach A", "confidence": 0.9}],
})
print(result["verdict"].render("markdown"))
All state keys are configurable via question_key, proposals_key, agents_key, verdict_key. State values can be raw dicts or Pydantic objects — both accepted.
CrewAI Integration
ArbitrationTool duck-types CrewAI's BaseTool interface (name, description, _run, _arun) without importing crewai. Attach it to any CrewAI agent or call it directly.
from crewai import Agent, Task, Crew
from saalis.integrations.crewai import ArbitrationTool
from saalis.strategy import WeightedVote
tool = ArbitrationTool(strategies=[WeightedVote()], output_format="markdown")
agent = Agent(
role="Decision Arbiter",
goal="Resolve disagreements between AI agents",
tools=[tool],
)
Or call directly (no CrewAI needed):
result = await tool._arun(
question="Deploy to production?",
proposals=[
{"id": "p1", "agent_id": "a1", "content": "Deploy now", "confidence": 0.9},
{"id": "p2", "agent_id": "a2", "content": "Wait", "confidence": 0.6},
],
agents=[
{"id": "a1", "name": "GPT-4o", "weight": 0.8},
{"id": "a2", "name": "Claude", "weight": 0.9},
],
)
print(result) # markdown verdict
Sync _run() is also available for non-async contexts.
Roadmap
- M8 — PyPI release
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file saalis-0.1.0.tar.gz.
File metadata
- Download URL: saalis-0.1.0.tar.gz
- Upload date:
- Size: 110.2 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.12
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
59ac8d64f4fa65ce7e6351f7b636373fdeb9919d59659101adb67e22a5a1c1d3
|
|
| MD5 |
46ae2b65c77049df90d67745d6dbc30e
|
|
| BLAKE2b-256 |
2d60132bf83add76187b55d1627e3cb6b550d22848ce870b2d98b785279fec17
|
Provenance
The following attestation bundles were made for saalis-0.1.0.tar.gz:
Publisher:
publish.yml on ulhaqi12/saalis
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
saalis-0.1.0.tar.gz -
Subject digest:
59ac8d64f4fa65ce7e6351f7b636373fdeb9919d59659101adb67e22a5a1c1d3 - Sigstore transparency entry: 1339052827
- Sigstore integration time:
-
Permalink:
ulhaqi12/saalis@92d9c5d5895a9e2cf4357d08c586cb79e4b7e0bc -
Branch / Tag:
refs/heads/main - Owner: https://github.com/ulhaqi12
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@92d9c5d5895a9e2cf4357d08c586cb79e4b7e0bc -
Trigger Event:
push
-
Statement type:
File details
Details for the file saalis-0.1.0-py3-none-any.whl.
File metadata
- Download URL: saalis-0.1.0-py3-none-any.whl
- Upload date:
- Size: 16.9 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.12
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
47275820e0cc0f38e7cdcf284505a0eaebb728ad0f1167793c7c6b9feaf87529
|
|
| MD5 |
ee34a0416f63b4c93465fb05bfa656fb
|
|
| BLAKE2b-256 |
0145c1a8722ca75d80d5ef938358ce543b961123041897677ba3d2510a9e1067
|
Provenance
The following attestation bundles were made for saalis-0.1.0-py3-none-any.whl:
Publisher:
publish.yml on ulhaqi12/saalis
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
saalis-0.1.0-py3-none-any.whl -
Subject digest:
47275820e0cc0f38e7cdcf284505a0eaebb728ad0f1167793c7c6b9feaf87529 - Sigstore transparency entry: 1339052902
- Sigstore integration time:
-
Permalink:
ulhaqi12/saalis@92d9c5d5895a9e2cf4357d08c586cb79e4b7e0bc -
Branch / Tag:
refs/heads/main - Owner: https://github.com/ulhaqi12
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@92d9c5d5895a9e2cf4357d08c586cb79e4b7e0bc -
Trigger Event:
push
-
Statement type: