-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathagent.py
More file actions
213 lines (177 loc) · 7.37 KB
/
agent.py
File metadata and controls
213 lines (177 loc) · 7.37 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
"""Core agent loop: neutral message format, multi-provider streaming."""
from __future__ import annotations
import os
import uuid
from dataclasses import dataclass, field
from typing import Generator
from tool_registry import get_tool_schemas
from tools import execute_tool
import tools as _tools_init # ensure built-in tools are registered on import
from providers import stream, AssistantTurn, TextChunk, ThinkingChunk, detect_provider
from compaction import maybe_compact
# ── Re-export event types (used by cheetahclaws.py) ────────────────────────
__all__ = [
"AgentState", "run",
"TextChunk", "ThinkingChunk",
"ToolStart", "ToolEnd", "TurnDone", "PermissionRequest",
]
@dataclass
class AgentState:
"""Mutable session state. messages use the neutral provider-independent format."""
messages: list = field(default_factory=list)
total_input_tokens: int = 0
total_output_tokens: int = 0
turn_count: int = 0
@dataclass
class ToolStart:
name: str
inputs: dict
@dataclass
class ToolEnd:
name: str
result: str
permitted: bool = True
@dataclass
class TurnDone:
input_tokens: int
output_tokens: int
@dataclass
class PermissionRequest:
description: str
granted: bool = False
# ── Agent loop ─────────────────────────────────────────────────────────────
def run(
user_message: str,
state: AgentState,
config: dict,
system_prompt: str,
depth: int = 0,
cancel_check=None,
) -> Generator:
"""
Multi-turn agent loop (generator).
Yields: TextChunk | ThinkingChunk | ToolStart | ToolEnd |
PermissionRequest | TurnDone
Args:
depth: sub-agent nesting depth, 0 for top-level
cancel_check: callable returning True to abort the loop early
"""
# Append user turn in neutral format
user_msg = {"role": "user", "content": user_message}
# Attach pending image from /image command if present
pending_img = config.pop("_pending_image", None)
if pending_img:
user_msg["images"] = [pending_img]
state.messages.append(user_msg)
# Inject runtime metadata into config so tools (e.g. Agent) can access it
config = {**config, "_depth": depth, "_system_prompt": system_prompt}
while True:
if cancel_check and cancel_check():
return
state.turn_count += 1
assistant_turn: AssistantTurn | None = None
# Compact context if approaching window limit
maybe_compact(state, config)
# Stream from provider (auto-detected from model name)
for event in stream(
model=config["model"],
system=system_prompt,
messages=state.messages,
tool_schemas=get_tool_schemas(),
config=config,
):
if isinstance(event, (TextChunk, ThinkingChunk)):
yield event
elif isinstance(event, AssistantTurn):
assistant_turn = event
if assistant_turn is None:
break
# Record assistant turn in neutral format
state.messages.append({
"role": "assistant",
"content": assistant_turn.text,
"tool_calls": assistant_turn.tool_calls,
})
state.total_input_tokens += assistant_turn.in_tokens
state.total_output_tokens += assistant_turn.out_tokens
yield TurnDone(assistant_turn.in_tokens, assistant_turn.out_tokens)
if not assistant_turn.tool_calls:
break # No tools → conversation turn complete
# ── Execute tools ────────────────────────────────────────────────
for tc in assistant_turn.tool_calls:
yield ToolStart(tc["name"], tc["input"])
# Permission gate
permitted = _check_permission(tc, config)
if not permitted:
if config.get("permission_mode") == "plan":
# Plan mode: silently deny writes (no user prompt)
permitted = False
else:
req = PermissionRequest(description=_permission_desc(tc))
yield req
permitted = req.granted
if not permitted:
if config.get("permission_mode") == "plan":
plan_file = config.get("_plan_file", "")
result = (
f"[Plan mode] Write operations are blocked except to the plan file: {plan_file}\n"
"Finish your analysis and write the plan to the plan file. "
"The user will run /plan done to exit plan mode and begin implementation."
)
else:
result = "Denied: user rejected this operation"
else:
result = execute_tool(
tc["name"], tc["input"],
permission_mode="accept-all", # already gate-checked above
config=config,
)
yield ToolEnd(tc["name"], result, permitted)
# Append tool result in neutral format
state.messages.append({
"role": "tool",
"tool_call_id": tc["id"],
"name": tc["name"],
"content": result,
})
# ── Helpers ───────────────────────────────────────────────────────────────
def _check_permission(tc: dict, config: dict) -> bool:
"""Return True if operation is auto-approved (no need to ask user)."""
perm_mode = config.get("permission_mode", "auto")
name = tc["name"]
# Plan mode tools are always auto-approved
if name in ("EnterPlanMode", "ExitPlanMode"):
return True
if perm_mode == "accept-all":
return True
if perm_mode == "manual":
return False # always ask
if perm_mode == "plan":
# Allow writes ONLY to the plan file
if name in ("Write", "Edit"):
plan_file = config.get("_plan_file", "")
target = tc["input"].get("file_path", "")
if plan_file and target and \
os.path.normpath(target) == os.path.normpath(plan_file):
return True
return False
if name == "NotebookEdit":
return False
if name == "Bash":
from tools import _is_safe_bash
return _is_safe_bash(tc["input"].get("command", ""))
return True # reads are fine
# "auto" mode: only ask for writes and non-safe bash
if name in ("Read", "Glob", "Grep", "WebFetch", "WebSearch"):
return True
if name == "Bash":
from tools import _is_safe_bash
return _is_safe_bash(tc["input"].get("command", ""))
return False # Write, Edit → ask
def _permission_desc(tc: dict) -> str:
name = tc["name"]
inp = tc["input"]
if name == "Bash": return f"Run: {inp.get('command', '')}"
if name == "Write": return f"Write to: {inp.get('file_path', '')}"
if name == "Edit": return f"Edit: {inp.get('file_path', '')}"
return f"{name}({list(inp.values())[:1]})"