The Hive framework is organized around five core subsystems that collaborate to execute goal-driven agents reliably. The following diagram shows how these subsystems connect:
flowchart TB
%% Main Entity
User([User])
%% =========================================
%% EXTERNAL EVENT SOURCES
%% =========================================
subgraph ExtEventSource [External Event Source]
E_Sch["Schedulers"]
E_WH["Webhook"]
E_SSE["SSE"]
end
%% =========================================
%% SYSTEM NODES
%% =========================================
subgraph WorkerBees [Worker Bees]
WB_C["Conversation"]
WB_SP["System prompt"]
subgraph Graph [Graph]
direction TB
N1["Node"] --> N2["Node"] --> N3["Node"]
N1 -.-> AN["Active Node"]
N2 -.-> AN
N3 -.-> AN
%% Nested Event Loop Node
subgraph EventLoopNode [Event Loop Node]
ELN_L["listener"]
ELN_SP["System Prompt<br/>(Task)"]
ELN_EL["Event loop"]
ELN_C["Conversation"]
end
end
end
subgraph JudgeNode [Judge β Isolated Graph]
J_C["Criteria"]
J_P["Principles"]
J_EL["Event loop"] <--> J_S["Timer<br/>(2-min tick)"]
J_T["get_worker_health_summary<br/>emit_escalation_ticket"]
J_CV["Continuous Conversation<br/>(judge memory)"]
end
subgraph QueenBee [Queen Bee]
QB_SP["System prompt"]
QB_EL["Event loop"]
QB_C["Conversation"]
end
subgraph Infra [Infra]
TR["Tool Registry"]
WTM["Write through Conversation Memory<br/>(Logs/RAM/Harddrive)"]
SM["Shared Memory<br/>(State/Harddrive)"]
EB["Event Bus<br/>(RAM)"]
CS["Credential Store<br/>(Harddrive/Cloud)"]
subgraph SubAgentFramework [Sub-Agent Framework]
SA_DT["delegate_to_sub_agent<br/>(synthetic tool)"]
subgraph SubAgentExec [Sub-Agent Execution]
SA_EL["Event Loop<br/>(independent)"]
SA_C["Conversation<br/>(fresh per task)"]
SA_SJ["SubagentJudge<br/>(auto-accept on<br/>output keys filled)"]
end
SA_RP["report_to_parent<br/>(one-way channel)"]
SA_ESC["Escalation Receiver<br/>(wait_for_response)"]
end
end
subgraph PC [PC]
B["Browser"]
CB["Codebase<br/>v 0.0.x ... v n.n.n"]
end
%% =========================================
%% CONNECTIONS & DATA FLOW
%% =========================================
%% External Event Routing
E_Sch --> ELN_L
E_WH --> ELN_L
E_SSE --> ELN_L
ELN_L -->|"triggers"| ELN_EL
%% User Interactions
User -->|"Talk"| WB_C
User -->|"Talk"| QB_C
User -->|"Read/Write Access"| CS
%% Inter-System Logic
ELN_C <-->|"Mirror"| WB_C
WB_C -->|"Focus"| AN
%% Judge Alignments (design-time only)
J_C <-.->|"aligns<br/>(design-time)"| WB_SP
J_P <-.->|"aligns<br/>(design-time)"| QB_SP
%% Judge runtime: reads worker logs, publishes escalations via Event Bus
%% NO direct JudgeβQueen connection at runtime β fully decoupled via Event Bus
J_T -->|"Reads logs"| WTM
J_EL -->|"EscalationTicket"| EB
%% Pub/Sub Logic
AN -->|"publish"| EB
EB -->|"subscribe<br/>(node events +<br/>escalation tickets)"| QB_C
%% Sub-Agent Delegation
ELN_EL -->|"delegate_to_sub_agent"| SA_DT
SA_DT -->|"Spawn (parallel)"| SA_EL
SM -->|"Read-only snapshot"| SubAgentExec
SA_SJ -->|"ACCEPT/RETRY"| SA_EL
SA_EL -->|"Result (JSON)"| ELN_EL
SA_RP -->|"Progress reports"| EB
SA_RP -->|"mark_complete"| SA_SJ
SA_ESC -->|"wait_for_response"| User
User -->|"Respond"| SA_ESC
SA_ESC -->|"User reply"| SA_EL
%% Infra and Process Spawning
SubAgentExec -->|"Starts"| B
B -->|"Report"| ELN_EL
TR -->|"Assigned"| EventLoopNode
TR -->|"Filtered tools"| SubAgentExec
CB -->|"Modify Worker Bee"| WorkerBees
%% =========================================
%% SHARED MEMORY & LOGS ACCESS
%% =========================================
%% Worker Bees Access
Graph <-->|"Read/Write"| WTM
Graph <-->|"Read/Write"| SM
%% Queen Bee Access
QB_C <-->|"Read/Write"| WTM
QB_EL <-->|"Read/Write"| SM
%% Credentials Access
CS -->|"Read Access"| QB_C
| Subsystem | Role | Description |
|---|---|---|
| Event Loop Node | Entry point | Listens for external events (schedulers, webhooks, SSE), triggers the event loop, and delegates to sub-agents. Its conversation mirrors the Worker Bees conversation for context continuity. |
| Worker Bees | Execution | A graph of nodes that execute the actual work. Each node in the graph can become the Active Node. Workers maintain their own conversation and system prompt, and read/write to shared memory. |
| Judge | Evaluation | Runs as an isolated graph alongside the worker on a 2-minute timer. Reads worker session logs via get_worker_health_summary, accumulates observations in a continuous conversation (its own memory), and emits structured EscalationTicket events to the Event Bus when it detects degradation. Disengaged from the Queen at runtime β the Queen receives escalation tickets only through Event Bus subscriptions, not via a direct connection. Criteria and principles align with Worker/Queen system prompts at design-time. |
| Queen Bee | Oversight | The orchestration layer. Subscribes to Active Node events via the Event Bus, receives escalation reports from the Judge, and has read/write access to shared memory and credentials. Users can talk directly to the Queen Bee. |
| Sub-Agent Framework | Delegation | Enables parent nodes to delegate tasks to specialized sub-agents via delegate_to_sub_agent. Sub-agents run as independent EventLoopNodes with read-only memory snapshots, their own conversation, and a SubagentJudge. They report progress via report_to_parent and can escalate to users via wait_for_response. Multiple delegations execute in parallel. Nested delegation is prevented. |
| Infra | Services | Shared infrastructure: Tool Registry (assigned to Event Loop Nodes and Sub-Agents), Write-through Conversation Memory (logs across RAM and disk), Shared Memory (state on disk), Event Bus (pub/sub in RAM), and Credential Store (encrypted on disk or cloud). |
- External triggers: Schedulers, Webhooks, and SSE events flow into the Event Loop Node's listener, which triggers the event loop to delegate to sub-agents or start browser-based tasks.
- User interaction: Users talk directly to Worker Bees (for task execution) or the Queen Bee (for oversight). Users also have read/write access to the Credential Store.
- Judge monitoring (runtime-decoupled): The Judge runs as an isolated graph on a 2-minute timer. It reads worker session logs via tools, tracks trends in its continuous conversation, and publishes
EscalationTicketevents to the Event Bus when it detects degradation patterns (doom loops, stalls, excessive retries). The Queen receives these tickets as an Event Bus subscriber β there is no direct JudgeβQueen connection at runtime. - Sub-agent delegation: A parent Event Loop Node invokes
delegate_to_sub_agentto spawn specialized sub-agents. Each sub-agent receives a read-only memory snapshot, a fresh conversation, and filtered tools from the Tool Registry. ASubagentJudgeauto-accepts when all output keys are filled. Sub-agents report progress viareport_to_parent(fire-and-forget) and can escalate to the user viawait_for_responsethrough an_EscalationReceiver. Multiple delegations run in parallel; nested delegation is blocked to prevent recursion. - Pub/Sub: The Active Node publishes events to the Event Bus. The Queen Bee subscribes for real-time visibility. Sub-agent progress reports are also published to the Event Bus.
- Adaptiveness: The Codebase modifies Worker Bees, enabling the framework to evolve agent graphs across versions.
Agents frequently produce or consume tool results that exceed the conversation context budget (web search results, scraped pages, large API responses). The framework solves this with a pointer pattern: large results are persisted to disk and replaced in the conversation with a compact file reference that the agent can dereference on demand via load_data(). This pattern extends into conversation compaction, where freeform text is spilled to files while structural tool-call messages are preserved in-place.
flowchart LR
%% =========================================
%% TOOL RESULT ARRIVES
%% =========================================
ToolResult["ToolResult<br/>(content, is_error)"]
%% =========================================
%% DECISION TREE
%% =========================================
IsError{is_error?}
ToolResult --> IsError
IsError -->|"Yes"| PassThrough["Pass through<br/>unchanged"]
IsLoadData{tool_name ==<br/>load_data?}
IsError -->|"No"| IsLoadData
%% load_data branch β never re-spill
IsLoadData -->|"Yes"| LDSize{"β€ 30KB?"}
LDSize -->|"Yes"| LDPass["Pass through"]
LDSize -->|"No"| LDTrunc["Truncate + pagination hint:<br/>'Use offset/limit to<br/>read smaller chunks'"]
%% Regular tool β always save to file
IsLoadData -->|"No"| HasSpillDir{"spillover_dir<br/>configured?"}
HasSpillDir -->|"No"| InlineTrunc{"β€ 30KB?"}
InlineTrunc -->|"Yes"| InlinePass["Pass through"]
InlineTrunc -->|"No"| InlineCut["Truncate in-place:<br/>'Only first N chars shown'"]
HasSpillDir -->|"Yes"| SaveFile["Save full result<br/>to file<br/>(web_search_1.txt)"]
SaveFile --> SpillSize{"β€ 30KB?"}
SpillSize -->|"Yes"| SmallRef["Full content +<br/>'[Saved to filename]'"]
SpillSize -->|"No"| LargeRef["Preview + pointer:<br/>'Use load_data(filename)<br/>to read full result'"]
%% =========================================
%% CONVERSATION CONTEXT
%% =========================================
subgraph Conversation [Conversation Context]
Msg["Tool result message<br/>(pointer or full content)"]
end
PassThrough --> Msg
LDPass --> Msg
LDTrunc --> Msg
InlinePass --> Msg
InlineCut --> Msg
SmallRef --> Msg
LargeRef --> Msg
%% =========================================
%% RETRIEVAL
%% =========================================
subgraph SpilloverDir [Spillover Directory]
File1["web_search_1.txt"]
File2["web_scrape_2.txt"]
Conv1["conversation_1.md"]
Adapt["adapt.md"]
end
SaveFile --> SpilloverDir
LoadData["load_data(filename,<br/>offset, limit)"] --> SpilloverDir
%% =========================================
%% COMPACTION (structure-preserving)
%% =========================================
subgraph Compaction [Structure-Preserving Compaction]
KeepTC["Keep: tool_calls +<br/>tool results<br/>(already tiny pointers)"]
SpillText["Spill: freeform text<br/>(user + assistant msgs)<br/>β conversation_N.md"]
RefMsg["Replace with pointer:<br/>'Previous conversation<br/>saved to conversation_1.md'"]
end
Msg -->|"Context budget<br/>exceeded"| Compaction
SpillText --> Conv1
RefMsg --> Msg
%% =========================================
%% SYSTEM PROMPT INTEGRATION
%% =========================================
subgraph SysPrompt [System Prompt Injection]
FileList["DATA FILES:<br/> - web_search_1.txt<br/> - web_scrape_2.txt"]
ConvList["CONVERSATION HISTORY:<br/> - conversation_1.md"]
AdaptInline["AGENT MEMORY:<br/>(adapt.md inlined)"]
end
SpilloverDir -->|"Listed on<br/>every turn"| SysPrompt
1. Every tool result is saved to a file (when spillover_dir is configured). Filenames are monotonic and short to minimize token cost: {tool_name}_{counter}.txt (e.g. web_search_1.txt, web_scrape_2.txt). JSON content is pretty-printed so load_data's line-based pagination works correctly. The counter is restored from existing files on resume.
2. The conversation receives a pointer, not the full content. Two cases:
| Result size | Conversation content |
|---|---|
| β€ 30KB | Full content + [Saved to 'web_search_1.txt'] annotation |
| > 30KB | Preview (first ~30KB) + [Result from web_search: 85,000 chars β too large for context, saved to 'web_search_1.txt'. Use load_data(filename='web_search_1.txt') to read the full result.] |
3. The agent retrieves full results on demand via load_data(filename, offset, limit). load_data results are never re-spilled (preventing circular references) β if a load_data result is itself too large, it's truncated with a pagination hint: "Use offset/limit parameters to read smaller chunks.".
4. File pointers survive compaction. When the conversation exceeds the context budget, structure-preserving compaction (compact_preserving_structure) keeps tool-call messages (which are already tiny pointers) and spills freeform text (user/assistant prose) to numbered conversation_N.md files. A reference message replaces the removed text: "[Previous conversation saved to 'conversation_1.md'. Use load_data('conversation_1.md') to review if needed.]". This means the agent retains exact knowledge of every tool it called and where each result is stored.
5. The system prompt lists all files in the spillover directory on every turn. Data files (spilled tool results) and conversation history files are listed separately. adapt.md (agent memory / learned preferences) is inlined directly into the system prompt rather than listed β it survives even emergency compaction.
- Context budget: A single
web_searchorweb_scrapecan return 100KB+. Without truncation, 2-3 tool calls would exhaust the context window. - Fewer iterations via larger nominal limit: The 30KB threshold is deliberately generous β most tool results fit entirely in the conversation with just a
[Saved to '...']annotation appended. This means the agent can read and act on results in the same turn they arrive, without a follow-upload_datacall. Only truly large results (scraped full pages, bulk API responses) trigger the preview + pointer path. A tighter limit would force more round-trips: the agent calls a tool, gets a truncated preview, callsload_datato read the rest, processes it, and only then acts β each round-trip is a full LLM turn with latency and token cost. The larger limit front-loads information into the conversation so the agent makes progress faster. - No information loss: Unlike naive truncation, the full result is always on disk and retrievable. The agent decides what to re-read.
- Compaction-safe: File references are compact tokens that survive all compaction tiers. The agent can always reconstruct its full state from pointers.
- Resume-safe: The spill counter restores from existing files on session resume, preventing filename collisions.
Agents in Hive maintain memory through four interconnected mechanisms: a durable working memory file (adapt.md), the conversation history itself, a structured output accumulator, and a three-layer prompt composition system. Together they form a reflection loop where outputs, judge feedback, and execution state are continuously folded back into the agent's context.
flowchart TB
%% =========================================
%% EVENT LOOP ITERATION
%% =========================================
subgraph EventLoop [Event Loop Iteration]
LLM["LLM Turn<br/>(stream response)"]
Tools["Tool Execution<br/>(parallel batch)"]
SetOutput["set_output(key, value)"]
end
LLM --> Tools
Tools --> SetOutput
%% =========================================
%% OUTPUT ACCUMULATOR
%% =========================================
subgraph Accumulator [Output Accumulator]
OA_Mem["In-memory<br/>key-value store"]
OA_Cursor["Write-through<br/>to ConversationStore<br/>(crash recovery)"]
end
SetOutput --> OA_Mem
OA_Mem --> OA_Cursor
%% =========================================
%% ADAPT.MD (AGENT WORKING MEMORY)
%% =========================================
subgraph AdaptMD [adapt.md β Agent Working Memory]
Seed["Seeded with<br/>identity + accounts"]
RecordLearning["_record_learning():<br/>append output entry<br/>(truncated to 500 chars)"]
AgentEdit["Agent calls<br/>save_data / edit_data<br/>to write rules,<br/>preferences, notes"]
end
SetOutput -->|"triggers"| RecordLearning
Seed -.->|"first run"| AdaptMD
%% =========================================
%% JUDGE EVALUATION PIPELINE
%% =========================================
subgraph JudgePipeline [Judge Evaluation Pipeline]
direction TB
L0["Level 0 β Implicit<br/>All output keys set?<br/>Tools still running?"]
L1["Level 1 β Custom Judge<br/>(user-provided<br/>JudgeProtocol)"]
L2["Level 2 β Quality Judge<br/>LLM reads conversation<br/>vs. success_criteria"]
Verdict{"Verdict"}
end
SetOutput -->|"check outputs"| L0
L0 -->|"keys present,<br/>no custom judge"| L2
L0 -->|"keys present,<br/>custom judge set"| L1
L1 --> Verdict
L2 --> Verdict
%% =========================================
%% VERDICT OUTCOMES
%% =========================================
Accept["ACCEPT"]
Retry["RETRY"]
Escalate["ESCALATE"]
Verdict -->|"quality met"| Accept
Verdict -->|"incomplete /<br/>criteria not met"| Retry
Verdict -->|"stuck / critical"| Escalate
%% =========================================
%% FEEDBACK INJECTION
%% =========================================
FeedbackMsg["[Judge feedback]:<br/>injected as user message<br/>into conversation"]
Retry -->|"verdict.feedback"| FeedbackMsg
%% =========================================
%% CONVERSATION HISTORY
%% =========================================
subgraph ConvHistory [Conversation History]
Messages["All messages:<br/>system, user, assistant,<br/>tool calls, tool results"]
PhaseMarkers["Phase transition markers<br/>(node boundary handoffs)"]
ReflectionPrompt["Reflection prompt:<br/>'What went well?<br/>Gaps or surprises?'"]
end
FeedbackMsg -->|"persisted"| Messages
Tools -->|"tool results<br/>(pointers)"| Messages
%% =========================================
%% SHARED MEMORY
%% =========================================
subgraph SharedMem [Shared Memory]
ExecState["Execution State<br/>(private)"]
StreamState["Stream State<br/>(shared within stream)"]
GlobalState["Global State<br/>(shared across all)"]
end
Accept -->|"write outputs<br/>to memory"| SharedMem
%% =========================================
%% PROMPT COMPOSITION (3-LAYER ONION)
%% =========================================
subgraph PromptOnion [System Prompt β 3-Layer Onion]
Layer1["Layer 1 β Identity<br/>(static, never changes)"]
Layer2["Layer 2 β Narrative<br/>(auto-built from<br/>SharedMemory +<br/>execution path)"]
Layer3["Layer 3 β Focus<br/>(current node's<br/>system_prompt)"]
InlinedAdapt["adapt.md inlined<br/>(survives compaction)"]
end
SharedMem -->|"read_all()"| Layer2
AdaptMD -->|"inlined every turn"| InlinedAdapt
%% =========================================
%% NEXT ITERATION
%% =========================================
PromptOnion -->|"system prompt"| LLM
ConvHistory -->|"message history"| LLM
%% =========================================
%% PHASE TRANSITIONS (continuous mode)
%% =========================================
Transition["Phase Transition<br/>(node boundary)"]
Accept -->|"continuous mode"| Transition
Transition -->|"insert marker +<br/>reflection prompt"| PhaseMarkers
Transition -->|"swap Layer 3<br/>(new focus)"| Layer3
%% =========================================
%% STYLING
%% =========================================
style AdaptMD fill:#e8f5e9
style PromptOnion fill:#e3f2fd
style JudgePipeline fill:#fff3e0
style ConvHistory fill:#f3e5f5
1. Outputs trigger dual persistence. When the LLM calls set_output(key, value), two things happen simultaneously: the OutputAccumulator stores the value in memory and writes through to the ConversationStore cursor (for crash recovery), and _record_learning() appends a truncated entry (β€500 chars) to adapt.md under an ## Outputs section. Duplicate keys are updated in-place, not appended.
2. adapt.md is the agent's durable working memory. It is seeded on first run with identity and account info. The agent can also write to it directly via save_data("adapt.md", ...) or edit_data("adapt.md", ...) β storing user rules, behavioral constraints, preferences, and working notes. Unlike conversation history, adapt.md is inlined directly into the system prompt every turn, so it survives all compaction tiers including emergency compaction. It is the last thing standing when context is tight.
3. Judge feedback becomes conversation memory. When the judge issues a RETRY verdict with feedback, that feedback is injected as a [Judge feedback]: ... user message into the conversation. On the next LLM turn, the agent sees its prior attempt, the judge's critique, and can adjust. This is the core reflexion mechanism β in-context learning without model retraining.
4. The three-layer prompt onion refreshes each turn. Layer 1 (identity) is static. Layer 2 (narrative) is rebuilt deterministically from SharedMemory.read_all() and the execution path β listing completed phases and current state values. Layer 3 (focus) is the current node's system_prompt. At phase transitions in continuous mode, Layer 3 swaps while Layers 1-2 and the full conversation history carry forward.
5. Phase transitions inject structured reflection. When execution moves between nodes, a transition marker is inserted into the conversation containing: what phase completed, all outputs in memory, available data files, agent memory content, available tools, and an explicit reflection prompt: "Before proceeding, briefly reflect: what went well in the previous phase? Are there any gaps or surprises worth noting?" This engineered metacognition surfaces issues before they compound.
6. Shared memory connects phases. On ACCEPT, the accumulator's outputs are written to SharedMemory. The narrative layer reads these values to describe progress. In continuous mode, subsequent nodes see both the conversation history (what was discussed) and the structured memory (what was decided). In isolated mode, a ContextHandoff summarizes the prior node's conversation for the next node's input.
The judge is a three-level pipeline, each level adding sophistication:
| Level | Trigger | Mechanism | Verdict |
|---|---|---|---|
| Level 0 (Implicit) | Always runs | Checks if all required output keys are set and no tool calls are pending | RETRY if keys missing, CONTINUE if tools running |
| Level 1 (Custom) | judge parameter set on EventLoopNode |
User-provided JudgeProtocol examines assistant text, tool calls, accumulator state, iteration count |
ACCEPT / RETRY / ESCALATE with feedback |
| Level 2 (Quality) | success_criteria set on NodeSpec, Level 0 passes |
LLM call evaluates recent conversation against the node's success criteria | ACCEPT or RETRY with quality feedback |
Levels are evaluated in order. If Level 0 fails (keys missing), Levels 1-2 are never reached. If a custom judge is set (Level 1), Level 2 is skipped β the custom judge has full authority. Level 2 only fires when no custom judge is set, all output keys are present, and the node has success_criteria defined.
Modern agent frameworks face a fundamental epistemological challenge: there is no reliable oracle.
The dominant paradigm treats unit tests, execution results, or single-model evaluations as "ground truth" for agent optimization. Research reveals this assumption is critically flawed:
| Assumed Ground Truth | Failure Mode |
|---|---|
| Unit tests | Binary signals lose quality nuance; coverage gaps allow overfitting; Goodhart's Law gaming |
| Model confidence (log-probs) | Poorly calibrated; high confidence on wrong answers; optimizes for plausibility not correctness |
| Single LLM judge | Hallucinated confidence; systematic biases; no calibration mechanism |
| Execution results | Non-deterministic environments; flaky tests; doesn't capture intent |
The consequence: agents optimized against these proxies become "optimizers of metrics" rather than "producers of value". They confidently generate code that passes tests but fails users.
Thesis: Reliable agent behavior emerges not from a single perfect oracle, but from the convergence of multiple imperfect signals.
We call this approach Triangulated Verificationβborrowing from navigation, where position is determined by measuring angles to multiple known points. No single measurement is trusted absolutely; confidence comes from agreement across diverse signals.
βββββββββββββββββββ
β GOAL INTENT β
β (User's true β
β objective) β
ββββββββββ¬βββββββββ
β
ββββββββββββββββΌβββββββββββββββ
β β β
βΌ βΌ βΌ
ββββββββββββ ββββββββββββ ββββββββββββ
βDeterministicβ β Semantic β β Human β
β Rules β βEvaluationβ β Judgment β
ββββββββββββ ββββββββββββ ββββββββββββ
β β β
ββββββββββββββββΌβββββββββββββββ
β
βΌ
βββββββββββββββββββ
β CONFIDENCE β
β (Agreement = β
β reliability) β
βββββββββββββββββββ
Key insight: When multiple independent verification methods agree, confidence is justified. When they disagree, uncertainty should trigger escalationβnot confident wrong answers.
Programmatic checks that provide definitive verdicts for well-defined conditions:
- Constraint violations (security patterns, forbidden operations)
- Structural requirements (output format, required fields)
- Known failure signatures (error types, timeout patterns)
Characteristics:
- Zero ambiguity when they match
- No false positives (if written correctly)
- Cannot assess semantic quality or intent alignment
In Hive: EvaluationRule with priority-ordered conditions evaluated before any LLM call.
EvaluationRule(
id="security_violation",
condition="'eval(' in result.get('code', '')",
action=JudgmentAction.ESCALATE,
priority=200 # Checked first
)LLM-based assessment that understands intent and context:
- Goal alignment ("Does this achieve what the user wanted?")
- Quality assessment ("Is this solution elegant/maintainable?")
- Edge case reasoning ("What happens if input is empty?")
Characteristics:
- Can assess nuance and implicit requirements
- Subject to hallucination and miscalibration
- Requires confidence gating
In Hive: HybridJudge LLM evaluation with explicit confidence thresholds.
if judgment.confidence < self.llm_confidence_threshold:
return Judgment(
action=JudgmentAction.ESCALATE,
reasoning="Confidence too low for autonomous decision"
)Human oversight for high-stakes or uncertain decisions:
- Ambiguous requirements needing clarification
- Novel situations outside training distribution
- Constraint violations requiring business judgment
Characteristics:
- Highest authority but highest latency
- Should be reserved for cases where automation fails
- Provides ground truth for future automation
In Hive: HITL protocol with pause_nodes, requires_approval, and ESCALATE action.
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
β TRIANGULATED EVALUATION β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ€
β β
β 1. RULE EVALUATION (Priority-ordered) β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β For each rule in priority order: β β
β β if rule.matches(result): β β
β β return Definitive(rule.action) βββββββββΊ DONE β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β β
β No rule matched β
β βΌ β
β 2. LLM EVALUATION (With confidence gating) β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β judgment = llm.evaluate(goal, result) β β
β β β β
β β if judgment.confidence >= threshold: β β
β β return judgment βββββββββΊ DONE β
β β β β
β β if judgment.confidence < threshold: β β
β β return Escalate("Low confidence") βββββββββΊ HUMAN β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β
β 3. HUMAN ESCALATION β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β Pause execution β β
β β Present context + signals to human β β
β β Human provides authoritative judgment β β
β β Record decision for future rule generation β β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
- Rules first: Cheap, fast, definitive. Catches obvious violations without LLM cost.
- LLM second: Handles nuance that rules cannot express. Confidence-gated.
- Human last: Expensive but authoritative. Only invoked when automation is uncertain.
This ordering optimizes for both reliability (multiple signals) and efficiency (cheapest signals first).
Triangulated verification answers "how do we evaluate?" But first we need "what are we evaluating against?"
Traditional agents optimize for test passage. Hive agents optimize for goal satisfaction.
Goal(
id="implement_auth",
name="Implement User Authentication",
description="Add secure user authentication to the API",
# Multiple weighted criteriaβnot just "does it pass?"
success_criteria=[
SuccessCriterion(
id="functional",
description="Users can register, login, and logout",
metric="llm_judge",
weight=0.4
),
SuccessCriterion(
id="secure",
description="Passwords are hashed, tokens are signed",
metric="output_contains",
target="bcrypt",
weight=0.3
),
SuccessCriterion(
id="tested",
description="Core flows have test coverage",
metric="custom",
weight=0.3
)
],
# Constraints: what must NOT happen (hard stops)
constraints=[
Constraint(
id="no_plaintext_passwords",
description="Never store or log plaintext passwords",
constraint_type="hard", # Violation = escalate
check="'password' not in str(result.get('logs', ''))"
),
Constraint(
id="no_sql_injection",
description="Use parameterized queries only",
constraint_type="hard"
)
]
)| Test-Driven | Goal-Driven |
|---|---|
| Binary pass/fail | Weighted multi-criteria satisfaction |
| Tests can be gamed | Goals capture intent |
| Coverage gaps allow overfitting | Constraints define hard boundaries |
| Silent on quality | Success criteria include quality metrics |
Research shows that iterative refinement beats expensive search. Reflexion (feedback β reflection β correction) outperforms MCTS in efficiency rank (accuracy/cost).
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
β REFLEXION LOOP β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ€
β β
β ββββββββββββ ββββββββββββ ββββββββββββ β
β β WORKER ββββββββββΊβ JUDGE ββββββββββΊβ DECISION β β
β β Execute β β Evaluate β β β β
β β step β β result β β β β
β ββββββββββββ ββββββββββββ ββββββ¬ββββββ β
β β² β β
β β βΌ β
β β βββββββββββββββββββββββββββββββββββββββββββ β
β β β ACCEPT: Continue to next step β β
β β βββββββββββββββββββββββββββββββββββββββββββ€ β
β ββββββ RETRY: Try again with feedback ββββ β
β βββββββββββββββββββββββββββββββββββββββββββ€ β β
β β REPLAN: Strategy failed, regenerate ββββ β
β βββββββββββββββββββββββββββββββββββββββββββ€ β
β β ESCALATE: Human judgment needed ββββββΊHITLβ
β βββββββββββββββββββββββββββββββββββββββββββ β
β β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
When a plan fails, the feedback loop provides rich context:
feedback_context = {
"completed_steps": [...], # What succeeded
"failed_steps": [{ # What failed and why
"step_id": "generate_api",
"attempts": 3,
"errors": ["Type error on line 42", "Missing import"]
}],
"accumulated_context": {...}, # What we learned
"constraints_violated": [...] # Hard stops triggered
}This enables the planner to learn from failure rather than blindly retrying.
Traditional agents hide uncertainty behind confident-sounding outputs. Hive agents surface uncertainty explicitly.
class CapabilityLevel(Enum):
CANNOT_HANDLE = "cannot_handle" # Wrong agent for this task
UNCERTAIN = "uncertain" # Might help, not confident
CAN_HANDLE = "can_handle" # Yes, this is my domain
BEST_FIT = "best_fit" # Exactly what I'm designed forHigh Confidence βββββββββββββββββββββββββββββββΊ Low Confidence
ββββββββββββ ββββββββββββ ββββββββββββ ββββββββββββ
β ACCEPT β β RETRY β β REPLAN β β ESCALATE β
β β β with β β with β β to β
β Continue β β feedback β β context β β human β
ββββββββββββ ββββββββββββ ββββββββββββ ββββββββββββ
β β β β
βΌ βΌ βΌ βΌ
Proceed Learn from Change Ask for
minor error approach help
Key principle: An agent that knows when it doesn't know is more valuable than one that confidently fails.
The system architecture (see diagram above) maps onto four logical layers. The Goal Layer defines what the Queen Bee and Judge align on. The Execution Layer is the Worker Bees graph. The Verification Layer is the Judge with its triangulated signals. The Reflexion Layer is the feedback loop between Worker Bees and Judge.
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
β HIVE AGENT FRAMEWORK β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ€
β β
β βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ β
β β GOAL LAYER (Queen Bee) β β
β β β’ Success criteria (weighted, multi-metric) β β
β β β’ Constraints (hard/soft boundaries) β β
β β β’ Principles aligned with Queen Bee system prompt β β
β β β’ Context (domain knowledge, preferences) β β
β βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ β
β β β
β βΌ β
β βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ β
β β EXECUTION LAYER (Worker Bees) β β
β β ββββββββββββ ββββββββββββ ββββββββββββ β β
β β β Graph βββββΊβ Active βββββΊβ Shared β β β
β β β Executor β β Node β β Memory β β β
β β ββββββββββββ ββββββββββββ ββββββββββββ β β
β β Event Loop Node delegates β to Sub-Agents (parallel) β β
β β Sub-Agents: read-only memory β SubagentJudge β report_to_parentβ β
β β Tool Registry provides tools β Event Bus publishes events β β
β βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ β
β β β
β βΌ β
β βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ β
β β TRIANGULATED VERIFICATION (Judge) β β
β β β β
β β Signal 1 Signal 2 Signal 3 β β
β β ββββββββββ ββββββββββββ βββββββββββ β β
β β β Rules ββββββββΊβ LLM JudgeββββββββΊβ Human β β β
β β β (fast) β β(flexible)β β (final) β β β
β β ββββββββββ ββββββββββββ βββββββββββ β β
β β β β β β β
β β ββββββββββββββββββ΄βββββββββββββββββββ β β
β β Criteria aligned with Worker Bee system prompt β β
β β Principles aligned with Queen Bee system prompt β β
β β Confidence from agreement across signals β β
β βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ β
β β β
β βΌ β
β βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ β
β β REFLEXION LAYER β β
β β β’ ACCEPT: Proceed with confidence β β
β β β’ RETRY: Learn from failure, try again β β
β β β’ REPLAN: Strategy failed, change approach β β
β β β’ ESCALATE: Report to Queen Bee, ask human β β
β βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ β
β β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
Triangulated verification provides the foundation for a more ambitious capability: agents that learn and improve from every interaction. The architecture is designed to enable progressive enhancement toward true online learning.
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
β ONLINE LEARNING LOOP β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ€
β β
β βββββββββββββββββ β
β β EXECUTION β β
β β Agent acts β β
β βββββββββ¬ββββββββ β
β β β
β βΌ β
β βββββββββββββββ βββββββββββββββββ βββββββββββββββ β
β β RULE ββββββββ TRIANGULATED βββββββΊβ CALIBRATE β β
β β GENERATION β β EVALUATION β β CONFIDENCE β β
β β β βββββββββ¬ββββββββ β THRESHOLDS β β
β ββββββββ¬βββββββ β ββββββββ¬βββββββ β
β β βΌ β β
β β βββββββββββββββββ β β
β β β HUMAN β β β
β βββββββββββββΊβ DECISION ββββββββββββββββ β
β β (when needed)β β
β βββββββββ¬ββββββββ β
β β β
β βΌ β
β Human decision becomes β
β training signal for: β
β β’ New deterministic rules β
β β’ Adjusted confidence thresholds β
β β’ Signal weighting updates β
β β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
Status: Implemented
The foundationβtriangulated verification provides reliable evaluation through multiple independent signals.
| Component | Implementation | Purpose |
|---|---|---|
| Priority-ordered rules | EvaluationRule with priority |
Fast, definitive checks |
| Confidence-gated LLM | HybridJudge with threshold |
Semantic evaluation with uncertainty |
| Human escalation | HITL protocol |
Authoritative fallback |
| Decision logging | Runtime.log_decision() |
Record all judgments for analysis |
What we can measure today:
- Escalation rate (how often humans are needed)
- Rule match rate (how often rules provide definitive answers)
- LLM confidence distribution (calibration signal)
Status: Designed, not yet implemented
Learn optimal confidence thresholds by comparing LLM judgments to human decisions.
@dataclass
class CalibrationMetrics:
"""Track LLM judgment accuracy against human ground truth."""
# When LLM said ACCEPT with confidence X, how often did human agree?
accept_accuracy_by_confidence: dict[float, float]
# When LLM said RETRY, did the retry actually succeed?
retry_success_rate: float
# Optimal threshold that maximizes agreement while minimizing escalations
recommended_threshold: float
# Per-goal-type calibration (security goals may need different thresholds)
threshold_by_goal_type: dict[str, float]Calibration algorithm:
For each escalated decision where human provided judgment:
1. Record: (llm_judgment, llm_confidence, human_judgment)
2. If llm_judgment == human_judgment:
β LLM was correct, threshold could be lowered
3. If llm_judgment != human_judgment:
β LLM was wrong, threshold should be raised
4. Compute accuracy curve: P(correct | confidence >= t) for all t
5. Set threshold where accuracy meets target (e.g., 95%)
Outcome: Agents automatically tune their confidence thresholds based on observed accuracy, reducing unnecessary escalations while maintaining reliability.
Status: Planned
Transform human decisions into new deterministic rules, progressively automating common patterns.
@dataclass
class RuleProposal:
"""A proposed rule learned from human escalation patterns."""
# The pattern that triggered escalations
trigger_pattern: str # e.g., "result contains 'subprocess.call'"
# What humans consistently decided
human_action: JudgmentAction # e.g., ESCALATE (for security review)
# Confidence in this rule (based on consistency of human decisions)
confidence: float
# Number of escalations this would have handled
coverage: int
# Proposed rule (requires human approval before activation)
proposed_rule: EvaluationRuleRule generation pipeline:
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
β RULE GENERATION PIPELINE β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ€
β β
β 1. PATTERN MINING β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β Analyze escalated results for common traits: β β
β β β’ Code patterns (regex over result.code) β β
β β β’ Error signatures (result.error types) β β
β β β’ Goal categories (security, performance) β β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β β
β βΌ β
β 2. CONSISTENCY CHECK β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β For each pattern, check human consistency: β β
β β β’ Did humans always decide the same way? β β
β β β’ Minimum N occurrences for confidence β β
β β β’ No contradictory decisions β β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β β
β βΌ β
β 3. RULE PROPOSAL β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β Generate candidate rule: β β
β β β’ condition: pattern as Python expression β β
β β β’ action: consistent human decision β β
β β β’ priority: based on coverage + confidence β β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β β
β βΌ β
β 4. HUMAN APPROVAL (HITL) β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β Present rule to human for review: β β
β β β’ Show examples it would have caught β β
β β β’ Show edge cases for consideration β β
β β β’ Require explicit approval before active β β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β β
β βΌ β
β 5. DEPLOYMENT β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β Add approved rule to evaluation pipeline: β β
β β β’ Shadow mode first (log but don't act) β β
β β β’ Gradual rollout with monitoring β β
β β β’ Automatic rollback if accuracy drops β β
β βββββββββββββββββββββββββββββββββββββββββββββββ β
β β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
Example learned rule:
# After 10 escalations where humans consistently rejected code with eval()
RuleProposal(
trigger_pattern="'eval(' in result.get('code', '')",
human_action=JudgmentAction.ESCALATE,
confidence=1.0, # 10/10 humans agreed
coverage=10,
proposed_rule=EvaluationRule(
id="learned_no_eval",
description="Auto-generated: eval() requires security review",
condition="'eval(' in result.get('code', '')",
action=JudgmentAction.ESCALATE,
priority=150, # Below manual security rules, above default
metadata={"source": "learned", "examples": 10, "approved_by": "user@example.com"}
)
)Status: Conceptual
Learn which verification signals are most predictive for different goal types.
@dataclass
class SignalWeights:
"""Learned weights for combining verification signals."""
# Per-goal-type weights
weights_by_goal_type: dict[str, dict[str, float]]
# Example:
# {
# "security": {"rules": 0.7, "llm": 0.2, "human": 0.1},
# "ux": {"rules": 0.2, "llm": 0.6, "human": 0.2},
# "performance": {"rules": 0.5, "llm": 0.3, "human": 0.2},
# }Insight: For security goals, deterministic rules (pattern matching for vulnerabilities) are highly predictive. For UX goals, LLM judgment (understanding user intent) is more valuable. Learning these weights optimizes the evaluation pipeline for each goal type.
| Phase | Value | Complexity | Dependencies |
|---|---|---|---|
| Phase 1 | High | Done | β |
| Phase 2 | High | Medium | Decision logging infrastructure |
| Phase 3 | Very High | High | Phase 2 + pattern mining |
| Phase 4 | Medium | Medium | Phase 2 + sufficient goal diversity |
Recommended next step: Implement Phase 2 (Confidence Calibration) to enable data-driven threshold tuning. This provides immediate value (fewer unnecessary escalations) while building the dataset needed for Phase 3.
| Layer | Type | Contribution |
|---|---|---|
| Triangulated Verification | Research | Novel approach to the Ground Truth problem; confidence from signal agreement |
| Online Learning Roadmap | Research | Architecture enabling agents to improve from human feedback over time |
| Goal-Driven Architecture | Research + Engineering | Goals as first-class citizens; weighted criteria; hard constraints |
| Confidence Calibration | Research + Engineering | Data-driven threshold tuning based on human agreement rates |
| Rule Generation | Research | Transforming human decisions into deterministic rules (closing the loop) |
| HybridJudge | Engineering | Implementation of triangulation with priority-ordered evaluation |
| Reflexion Loop | Engineering | Worker-Judge architecture with RETRY/REPLAN/ESCALATE |
| Memory Reflection | Engineering | adapt.md durable memory, 3-layer prompt onion, judge feedback injection |
| Graph Execution | Engineering | Node composition, shared memory, edge traversal, sub-agent delegation |
| HITL Protocol | Engineering | Pause/resume, approval workflows, escalation handling |
The Hive Agent Framework addresses the fundamental reliability crisis in agentic systems through a layered architecture of Event Loop Nodes, Worker Bees, Judges, and a Queen Bee, unified by Triangulated Verification and a roadmap toward Online Learning:
-
The Architecture: External events enter through Event Loop Nodes, which trigger Worker Bees to execute graph-based tasks. Parent nodes delegate specialized work to Sub-Agents β independent EventLoopNodes with read-only memory, filtered tools, and a SubagentJudge β that execute in parallel and report results back. A Judge runs as an isolated graph on a 2-minute timer, reading worker logs and publishing
EscalationTicketevents to the Event Bus β fully disengaged from the Queen at runtime. A Queen Bee provides oversight, receives escalation tickets and node events as an Event Bus subscriber. Shared infrastructure (memory, credentials, tool registry) connects all subsystems. -
The Problem: No single evaluation signal is trustworthy. Tests can be gamed, model confidence is miscalibrated, LLM judges hallucinate.
-
The Solution: Confidence emerges from agreement across multiple independent signalsβdeterministic rules, semantic evaluation, and human judgment. The Judge's criteria align with Worker Bee prompts; its principles align with the Queen Bee.
-
The Foundation: Goal-driven architecture ensures we're optimizing for user intent, not metric gaming. The reflexion loop between Worker Bees and Judge enables learning from failure without expensive search.
-
The Memory System: Agents reflect through four mechanisms β
adapt.md(durable working memory inlined into the system prompt, surviving all compaction), the conversation history (carrying judge feedback as injected user messages), the three-layer prompt onion (identity β narrative β focus, rebuilt each turn from shared memory), and structured phase transition markers with explicit reflection prompts at node boundaries. -
The Learning Path: Human escalations aren't just fallbacksβthey're training signals. Confidence calibration tunes thresholds automatically. Rule generation transforms repeated human decisions into deterministic automation.
-
The Result: Agents that are reliable not because they're always right, but because they know when they don't knowβand get smarter every time they ask for help.
- Reflexion: Shinn et al., "Reflexion: Language Agents with Verbal Reinforcement Learning"
- Goodhart's Law in ML: "When a measure becomes a target, it ceases to be a good measure"