The PromptSpeak MCP Server provides a pre-execution governance layer for AI agents, intercepting and validating tool calls before they execute through a 9-stage pipeline.
Frame Validation: Validate agent actions (frames) at structural, semantic, chain, or full levels — individually (
ps_validate) or in batch (ps_validate_batch) — before executionGoverned Execution: Run tool calls through the full pipeline (
ps_execute,ps_execute_batch) with circuit breaking, drift prediction, hold checks, and security scanning; supports dry-run previewHuman-in-the-Loop Approvals: Automatically hold risky operations for manual review; list, approve (with optional argument modifications), or reject pending holds via
ps_hold_list,ps_hold_approve,ps_hold_rejectAgent Lifecycle & Drift Management: Halt, resume, reset, or recalibrate agents; monitor behavioral drift scores and history; automatically halt agents exceeding drift thresholds
Delegation Management: Create parent→child agent delegations with constrained permissions and inheritance rules; revoke or list active delegations
Security Scanning & Enforcement: Scan code for SQL injection, hardcoded secrets, insecure defaults, and more — with tiered enforcement (block on critical, hold on high, warn on medium, log on low)
Runtime Configuration: Set and activate policy overlays, tune confidence thresholds, and toggle pipeline feature flags at runtime
Symbol/Entity Registry: Create, read, update, delete, and bulk-import tracked entities (companies, people, events, tasks, etc.) with versioning, human verification workflows, and alternative explanation tracking
Audit Logging: Retrieve full audit trails of all tool calls attempted by agents, including blocked and allowed actions, with filtering
System Monitoring: View system-wide agent state, hold queue statistics, security pattern configuration, and performance metrics (latency, ops/sec)
promptspeak-mcp-server
Pre-execution governance for AI agents. Blocks dangerous tool calls before they execute.
AI agents call tools (file writes, API requests, shell commands) with no validation layer between intent and execution. A prompt injection, hallucinated argument, or drifting goal can trigger irreversible actions. PromptSpeak intercepts every MCP tool call, validates it against deterministic rules, and blocks or holds risky operations for human approval — in 0.1ms, before anything executes.

When to use this
You run AI agents that call tools (MCP servers, function calling, tool use) and need a governance layer between the agent and the tools.
You need human-in-the-loop approval for high-risk operations (production deployments, financial transactions, legal filings).
You want to detect behavioral drift — an agent gradually shifting away from its assigned task.
You need an audit trail of every tool call an agent attempted, whether it was allowed or blocked.
You operate in a regulated domain (legal, financial, healthcare) where agent actions must be deterministically constrained.
Install
Claude Code
Add to ~/.claude/settings.json (or project-level .claude/settings.json):
{
"mcpServers": {
"promptspeak": {
"command": "npx",
"args": ["promptspeak-mcp-server"]
}
}
}Restart Claude Code. All 56 governance tools are immediately available.
Claude Desktop
Add to claude_desktop_config.json:
{
"mcpServers": {
"promptspeak": {
"command": "npx",
"args": ["promptspeak-mcp-server"]
}
}
}As a library
npm install promptspeak-mcp-serverFrom source
git clone https://github.com/chrbailey/promptspeak-mcp-server.git
cd promptspeak-mcp-server
npm install && npm run build
npm startUsage examples
1. Validate a governance frame before execution
// Request: validate that a frame is structurally and semantically correct
{
"name": "ps_validate",
"arguments": {
"frame": "Ξ⊕●▶α",
"validationLevel": "full"
}
}
// Response: validation report with confidence score
{
"valid": true,
"parseConfidence": 1.0,
"summary": { "errors": 0, "warnings": 3, "passed": 14 }
}2. Execute a tool call under governance
// Request: execute a file write under PromptSpeak governance
{
"name": "ps_execute",
"arguments": {
"agentId": "code-assistant",
"frame": "Ξ⊕●▶α",
"action": {
"tool": "write_file",
"arguments": { "path": "/tmp/output.txt", "content": "Hello world" }
}
}
}
// Response: execution result with governance metadata
{
"allowed": true,
"driftScore": 0.02,
"executionTime": "0.12ms",
"auditId": "exec_a1b2c3"
}3. Hold a risky operation for human approval
// When an agent attempts a dangerous action, it's automatically held:
{
"name": "ps_hold_list",
"arguments": {}
}
// Response: pending holds awaiting human review
{
"holds": [{
"holdId": "hold_001",
"agentId": "devops-agent",
"tool": "modify_infrastructure",
"severity": "critical",
"reason": "human_approval_required",
"state": "pending"
}],
"count": 1
}
// Approve or reject:
{ "name": "ps_hold_approve", "arguments": { "holdId": "hold_001", "reason": "Reviewed and safe" } }
{ "name": "ps_hold_reject", "arguments": { "holdId": "hold_001", "reason": "Too risky" } }4. Halt a drifting agent immediately
// Request: emergency halt — trips circuit breaker, blocks all future calls
{
"name": "ps_state_halt",
"arguments": {
"agentId": "rogue-agent",
"reason": "Drift score exceeded threshold (0.85)"
}
}
// Resume after investigation:
{
"name": "ps_state_resume",
"arguments": {
"agentId": "rogue-agent",
"reason": "Root cause identified and fixed",
"resetMetrics": true
}
}How it works: 9-stage validation pipeline
Every tool call passes through this pipeline. If any stage fails, execution is blocked.
Agent calls tool
│
├─ 1. Circuit Breaker ──── Halted agents blocked instantly (no further checks)
├─ 2. Frame Validation ─── Structural, semantic, and chain rule checks
├─ 3. Drift Prediction ─── Pre-flight behavioral anomaly detection
├─ 4. Hold Check ────────── Risky operations held for human approval
├─ 5. Interceptor ───────── Final permission gate (confidence thresholds)
├─ 6. Security Scan ─────── Scans write actions for vulnerabilities (see below)
├─ 7. Tool Execution ────── Only reached if all 6 pre-checks pass
├─ 8. Post-Audit ────────── Confirms behavior matched prediction
└─ 9. Immediate Action ──── Halts agent if critical drift detected post-executionStages 1-6 are pre-execution — the tool never runs if any check fails. Stages 8-9 are post-execution — they detect drift and can halt the agent for future calls.
Security scanning
When an agent writes code (write_file, edit_file, create_file, patch_file), the content is scanned against 10 detection patterns before execution. Severity determines enforcement:
Severity | Enforcement | What it catches |
CRITICAL | Blocked — execution denied | SQL injection via template literals, hardcoded API keys/passwords/tokens |
HIGH | Held — queued for human review | Security-related TODOs, logging sensitive data, insecure defaults ( |
MEDIUM | Warned — logged, execution continues | Empty catch blocks, hedging comments ("probably works"), disabled tests |
LOW | Logged — no enforcement |
|
What works (tested)
All claims below are backed by passing tests (104 tests across 5 test files):
Pattern detection works. Each of the 10 patterns is tested for true positives AND false positives. Example:
api_key = "sk-1234567890abcdef"is caught;API_KEY = process.env.API_KEYis not. SQL injection catches\SELECT * FROM users WHERE id = ${id}`but not parameterized queries (db.query("SELECT * FROM users WHERE id = ?", [id])`).Severity enforcement works. Critical findings block execution. High findings hold for review. Medium findings warn but allow. Tested end-to-end through the interceptor pipeline.
Only write actions are scanned.
read_fileand other non-write actions pass through without scanning, even if their arguments contain vulnerable code. Tested.Runtime configuration works. Patterns can be enabled/disabled and severity can be changed at runtime via
ps_security_config. A disabled pattern stops firing immediately. Changing a pattern from medium to critical makes it block instead of warn. Tested end-to-end.Performance is fine. 100-line file scans complete in under 10ms. Tested.
Multiple findings in one file work. A file with 6 different vulnerability types correctly classifies each into the right severity bucket. Tested.
What does NOT work yet
No hold queue integration for HIGH findings.FIXED. HIGH-severity security findings now create real holds in HoldManager viasecurity_findingHoldReason. They appear inps_hold_listand can be approved/rejected through the normal hold flow.No auto-scan on
ps_execute. The security scan only triggers in the interceptor'sintercept()method for direct tool calls. If an agent usesps_execute(the governed execution path), the scan runs only if the inner tool is a write action AND the content is passed as a top-level arg. Nested argument structures may bypass scanning. Why:ps_executewraps tool calls in its own argument schema; the scanner checksproposedArgs.content, not deeply nested fields.No file-path-based scanning. The scanner only examines content passed as arguments. It cannot scan files already on disk — it doesn't read from the filesystem. Why: The scanner is a pure function that takes a string. Adding filesystem access would change the security model.
Patterns are regex-based, not AST-aware. The patterns use regular expressions, which means they can't understand code structure. A hardcoded secret inside a test fixture or a SQL injection in a comment will still trigger. False positive rates range from 25-70% depending on the pattern (documented per-pattern). Why: AST parsing would add dependencies and complexity. Regex is fast and good enough for a governance layer that holds for human review rather than silently blocking.
Partial persistence. Holds and circuit breaker state now persist to SQLite (
data/governance.db) and survive server restarts. However, pattern configuration changes (enable/disable, severity changes viaps_security_config) are still in-memory only and reset on restart. Why: Pattern config is lightweight and rarely changed; full config persistence would need a separate config store.
MCP tools (56)
Core governance
Tool | When to call it | What it does |
| Before executing any agent action | Validate a frame against all rules without executing |
| When checking multiple actions at once | Batch validation for efficiency |
| When an agent wants to perform a tool call | Full pipeline: validate → hold check → execute → audit |
| When previewing what would happen | Run full pipeline without executing the tool |
Human-in-the-loop holds
Tool | When to call it | What it does |
| When reviewing pending agent actions | List all operations awaiting human approval |
| When a held operation should proceed | Approve with optional modified arguments |
| When a held operation should be denied | Reject with reason |
| When tuning which operations require approval | Configure hold triggers and thresholds |
| When monitoring hold queue health | Hold queue statistics |
Agent lifecycle
Tool | When to call it | What it does |
| When checking what an agent is doing | Get agent's active frame and last action |
| When monitoring overall system health | System-wide statistics |
| When an agent must be stopped immediately | Trip circuit breaker — blocks all future calls |
| When a halted agent should be allowed to continue | Reset circuit breaker |
| When clearing agent state | Full state reset |
| When investigating behavioral changes | Drift detection alert history |
Delegation
Tool | When to call it | What it does |
| When an agent spawns a sub-agent | Create parent→child delegation with constrained permissions |
| When revoking a sub-agent's authority | Remove delegation |
| When auditing delegation chains | List active delegations |
Configuration
Tool | When to call it | What it does |
| When changing governance rules at runtime | Set configuration key-value pairs |
| When reading current configuration | Get current config |
| When switching policy profiles | Activate a named configuration |
| When backing up configuration | Export full config as JSON |
| When restoring configuration | Import config from JSON |
| When tuning validation strictness | Set confidence thresholds |
| When checking current thresholds | Get current thresholds |
| When reconfiguring multiple thresholds | Batch threshold update |
| When toggling pipeline stages | Enable/disable specific checks |
| When checking which stages are active | Get feature flags |
Symbol registry (entity tracking)
Tool | When to call it | What it does |
| When registering a new entity (company, person, system) | Create symbol with type, metadata, and tags |
| When looking up an entity | Retrieve by ID |
| When entity data changes | Update metadata or tags |
| When browsing entities by type | List with optional type filter |
| When removing an entity | Delete by ID |
| When bulk-loading entities | Batch import |
| When monitoring registry health | Registry statistics |
| When displaying an entity | Format symbol for display |
| When confirming entity data is current | Mark symbol as verified |
| When auditing stale data | List symbols needing verification |
| When an entity has aliases | Add alternative identifier |
Security enforcement
Tool | When to call it | What it does |
| When checking code for vulnerabilities | Scan content, return findings by severity |
| When enforcing security policy on writes | Scan + enforce: block/hold/warn/allow |
| When tuning detection patterns | List, enable, disable, change severity of patterns |
Audit
Tool | When to call it | What it does |
| When reviewing what happened | Full audit trail with filters |
Architecture
src/
├── gatekeeper/ # 8-stage validation pipeline (core enforcement)
│ ├── index.ts # Pipeline orchestrator + agent eviction policy
│ ├── validator.ts # Frame structural/semantic/chain validation
│ ├── interceptor.ts# Permission gate with confidence thresholds
│ ├── hold-manager.ts# Human-in-the-loop hold queue
│ ├── resolver.ts # Frame resolution with operator overrides
│ └── coverage.ts # Coverage confidence calculator
├── drift/ # Behavioral drift detection
│ ├── circuit-breaker.ts # Per-agent halt/resume
│ ├── baseline.ts # Behavioral baseline comparison
│ ├── tripwire.ts # Anomaly tripwires
│ └── monitor.ts # Continuous monitoring
├── security/ # Security vulnerability scanning
│ ├── patterns.ts # 10 detection patterns (regex-based)
│ └── scanner.ts # Scanner engine + severity classification
├── persistence/ # SQLite governance persistence
│ └── database.ts # Holds, decisions, circuit breakers (WAL mode)
├── symbols/ # SQLite-backed entity registry (11 CRUD tools)
├── policies/ # Policy file loader + overlay system
├── operator/ # Operator configuration
├── tools/ # MCP tool implementations
│ ├── registry.ts # 29 core tools
│ ├── ps_hold.ts # 5 hold tools
│ └── ps_security.ts# 3 security tools
├── handlers/ # Tool dispatch + metadata registry
├── core/ # Logging, errors, result patterns
└── server.ts # MCP server entry point (stdio transport)Performance
Metric | Value |
Validation latency | 0.103ms avg (P95: 0.121ms) |
Operations/second | 6,977 |
Holds/second | 33,333 |
Security scan (100 lines) | < 10ms |
Test suite | 829 tests, 33 test files |
Requirements
Node.js >= 20.0.0
TypeScript 5.3+ (build from source)
No external services required — SQLite for symbols and governance persistence
Related Projects
deeptrend — Structured AI trend feed for autonomous agents. Curated from 14+ sources, synthesized via LLM Counsel, published every 6h as JSON Feed, RSS, and
llms.txt. Designed as a data source for agent monitoring pipelines.
Privacy Policy
https://promptspeak.admin-as-a-service.com/privacy
PromptSpeak does not collect personal data, has no telemetry, and stores all governance data locally in SQLite. See the full policy at the link above.
License
MIT