agent-runtime/agent/nodes/expert_base.py
Nico 217d1a57d9 v0.16.0: Workspace component system — cards, lists, structured display
New workspace components:
- emit_card: structured detail card with title, subtitle, fields, actions
  Fields can be clickable links (action property)
  Used for: entity details (Kunde, Objekt, Auftrag)
- emit_list: vertical list of cards for multiple entities
  Used for: search results, navigation lists
- "WHEN TO USE WHAT" guide in expert prompt

Frontend rendering:
- renderCard() with key-value fields, clickable links, action buttons
- List container with title + stacked cards
- Full CSS: dark theme cards, hover states, link styling

Pipeline:
- ExpertNode handles emit_card/emit_list in tool execution
- UINode passes card/list through as-is (not wrapped in display)
- Test runner: check_actions supports "has card", "has list", "has X or Y"

Workspace components test: 22/22

Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
2026-03-29 20:54:47 +02:00

247 lines
11 KiB
Python

"""Expert Base Node: domain-specific stateless executor.
An expert receives a self-contained job from the PA, plans its own tool sequence,
executes tools, and returns a ThoughtResult. No history, no memory — pure function.
Subclasses override DOMAIN_SYSTEM, SCHEMA, and default_database.
"""
import asyncio
import json
import logging
from .base import Node
from ..llm import llm_call
from ..db import run_db_query
from ..types import ThoughtResult
log = logging.getLogger("runtime")
class ExpertNode(Node):
"""Base class for domain experts. Subclass and set DOMAIN_SYSTEM, SCHEMA, default_database."""
model = "google/gemini-2.0-flash-001"
max_context_tokens = 4000
# Override in subclasses
DOMAIN_SYSTEM = "You are a domain expert."
SCHEMA = ""
default_database = "eras2_production"
PLAN_SYSTEM = """You are a domain expert's planning module.
Given a job description, produce a JSON tool sequence to accomplish it.
{domain}
{schema}
Available tools:
- query_db(query, database) — SQL SELECT/DESCRIBE/SHOW only
- emit_card(card) — show a detail card on the workspace:
{{"title": "...", "subtitle": "...", "fields": [{{"label": "Kunde", "value": "Mahnke GmbH", "action": "show_kunde_42"}}], "actions": [{{"label": "Geraete zeigen", "action": "show_geraete"}}]}}
Use for: single entity details, summaries, overviews.
Fields with "action" become clickable links.
- emit_list(list) — show a list of cards:
{{"title": "Auftraege morgen", "items": [{{"title": "21479", "subtitle": "Mahnke - Goetheplatz 7", "fields": [{{"label":"Typ","value":"Ablesung"}}], "action": "show_auftrag_21479"}}]}}
Use for: multiple entities, search results, navigation lists.
- emit_actions(actions) — show buttons [{{label, action, payload?}}]
- set_state(key, value) — persistent key-value
- emit_display(items) — simple text/badge display [{{type, label, value?}}]
- create_machine(id, initial, states) — interactive UI navigation
- add_state / reset_machine / destroy_machine — machine lifecycle
WHEN TO USE WHAT:
- Single entity detail (Kunde, Objekt, Auftrag) → emit_card
- Multiple entities (list of Objekte, Auftraege) → emit_list (few items) or query_db with table (many rows)
- Tabular data (Geraete, Verbraeuche) → query_db (renders as table automatically)
- User choices / next steps → emit_actions (buttons)
Output ONLY valid JSON:
{{
"tool_sequence": [
{{"tool": "query_db", "args": {{"query": "SELECT ...", "database": "{database}"}}}},
{{"tool": "emit_card", "args": {{"card": {{"title": "...", "fields": [...], "actions": [...]}}}}}}
],
"response_hint": "How to phrase the result for the user"
}}
Rules:
- NEVER guess column names. Use ONLY columns from the schema.
- Max 5 tools. Keep it focused.
- The job is self-contained — all context you need is in the job description.
- Prefer emit_card for entity details over raw text."""
RESPONSE_SYSTEM = """You are a domain expert summarizing results for the user.
{domain}
Job: {job}
{results}
Write a concise, natural response. 1-3 sentences.
- Reference specific data from the results.
- Don't repeat raw output — summarize.
- Match the language: {language}."""
def __init__(self, send_hud, process_manager=None):
super().__init__(send_hud)
MAX_RETRIES = 3
async def execute(self, job: str, language: str = "de") -> ThoughtResult:
"""Execute a self-contained job with retry on SQL errors.
Expert knows the schema — plan, execute, retry if needed, respond."""
await self.hud("thinking", detail=f"planning: {job[:80]}")
errors_so_far = []
tool_sequence = []
response_hint = ""
for attempt in range(1, self.MAX_RETRIES + 1):
# Plan (or re-plan with error context)
plan_prompt = f"Job: {job}"
if errors_so_far:
plan_prompt += "\n\nPREVIOUS ATTEMPTS FAILED:\n"
for err in errors_so_far:
plan_prompt += f"- Query: {err['query']}\n Error: {err['error']}\n"
if 'describe' in err:
plan_prompt += f" DESCRIBE result: {err['describe'][:300]}\n"
plan_prompt += "\nFix the query. If a column was unknown, use the DESCRIBE result above or try SELECT * LIMIT 3 to see actual columns."
plan_messages = [
{"role": "system", "content": self.PLAN_SYSTEM.format(
domain=self.DOMAIN_SYSTEM, schema=self.SCHEMA,
database=self.default_database)},
{"role": "user", "content": plan_prompt},
]
plan_raw = await llm_call(self.model, plan_messages)
tool_sequence, response_hint = self._parse_plan(plan_raw)
await self.hud("planned", tools=len(tool_sequence),
hint=response_hint[:80], attempt=attempt)
# Execute tools
actions = []
state_updates = {}
display_items = []
machine_ops = []
tool_used = ""
tool_output = ""
had_error = False
for step in tool_sequence:
tool = step.get("tool", "")
args = step.get("args", {})
await self.hud("tool_call", tool=tool, args=args)
if tool == "emit_actions":
actions.extend(args.get("actions", []))
elif tool == "emit_card":
card = args.get("card", args)
card["type"] = "card"
display_items.append(card)
elif tool == "emit_list":
lst = args.get("list", args)
lst["type"] = "list"
display_items.append(lst)
elif tool == "set_state":
key = args.get("key", "")
if key:
state_updates[key] = args.get("value")
elif tool == "emit_display":
display_items.extend(args.get("items", []))
elif tool == "create_machine":
machine_ops.append({"op": "create", **args})
elif tool == "add_state":
machine_ops.append({"op": "add_state", **args})
elif tool == "reset_machine":
machine_ops.append({"op": "reset", **args})
elif tool == "destroy_machine":
machine_ops.append({"op": "destroy", **args})
elif tool == "query_db":
query = args.get("query", "")
database = args.get("database", self.default_database)
try:
result = await asyncio.to_thread(run_db_query, query, database)
if result.startswith("Error:"):
err_entry = {"query": query, "error": result}
# Auto-DESCRIBE on column errors to help retry
if "Unknown column" in result or "1054" in result:
import re
# Extract table name from query
tables_in_query = re.findall(r'FROM\s+(\w+)|JOIN\s+(\w+)', query, re.IGNORECASE)
for match in tables_in_query:
tname = match[0] or match[1]
if tname:
try:
desc = await asyncio.to_thread(run_db_query, f"DESCRIBE {tname}", database)
err_entry["describe"] = f"{tname}: {desc[:300]}"
await self.hud("tool_result", tool="describe",
output=f"Auto-DESCRIBE {tname}")
except Exception:
pass
break
errors_so_far.append(err_entry)
had_error = True
await self.hud("tool_result", tool="query_db",
output=f"ERROR (attempt {attempt}): {result[:150]}")
break
tool_used = "query_db"
tool_output = result
await self.hud("tool_result", tool="query_db", output=result[:200])
except Exception as e:
errors_so_far.append({"query": query, "error": str(e)})
had_error = True
await self.hud("tool_result", tool="query_db",
output=f"ERROR (attempt {attempt}): {e}")
break
if not had_error:
break # success — stop retrying
log.info(f"[expert] attempt {attempt} failed, {len(errors_so_far)} errors")
# Generate response (with whatever we have — success or final error)
results_text = ""
if tool_output:
results_text = f"Tool result:\n{tool_output[:500]}"
elif errors_so_far:
results_text = f"All {len(errors_so_far)} query attempts failed:\n"
for err in errors_so_far[-2:]:
results_text += f" {err['error'][:100]}\n"
resp_messages = [
{"role": "system", "content": self.RESPONSE_SYSTEM.format(
domain=self.DOMAIN_SYSTEM, job=job, results=results_text, language=language)},
{"role": "user", "content": job},
]
response = await llm_call(self.model, resp_messages)
if not response:
response = "[no response]"
await self.hud("done", response=response[:100])
return ThoughtResult(
response=response,
tool_used=tool_used,
tool_output=tool_output,
actions=actions,
state_updates=state_updates,
display_items=display_items,
machine_ops=machine_ops,
)
def _parse_plan(self, raw: str) -> tuple[list, str]:
"""Parse tool sequence JSON from planning LLM call."""
text = raw.strip()
if text.startswith("```"):
text = text.split("\n", 1)[1] if "\n" in text else text[3:]
if text.endswith("```"):
text = text[:-3]
text = text.strip()
try:
data = json.loads(text)
return data.get("tool_sequence", []), data.get("response_hint", "")
except (json.JSONDecodeError, Exception) as e:
log.error(f"[expert] plan parse failed: {e}, raw: {text[:200]}")
return [], ""