Spaces:
Sleeping
Sleeping
File size: 9,384 Bytes
64462d2 | 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 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 | """Memory optimization strategies for agent conversations."""
import json
from typing import Optional, Dict, List
from .models import ExecutionContext, Message, ToolCall, ToolResult, ContentItem
from .llm import LlmRequest, LlmResponse, LlmClient, build_messages
def apply_sliding_window(
context: ExecutionContext,
request: LlmRequest,
window_size: int = 20
) -> None:
"""Sliding window that keeps only the most recent N messages"""
contents = request.contents
# Find user message position
user_message_idx = None
for i, item in enumerate(contents):
if isinstance(item, Message) and item.role == "user":
user_message_idx = i
break
if user_message_idx is None:
return
# Preserve up to user message
preserved = contents[:user_message_idx + 1]
# Keep only the most recent N from remaining items
remaining = contents[user_message_idx + 1:]
if len(remaining) > window_size:
remaining = remaining[-window_size:]
request.contents = preserved + remaining
def count_tokens(request: LlmRequest, model_id: str = "gpt-4") -> int:
"""Calculate total token count of LlmRequest.
Args:
request: The LLM request to count tokens for
model_id: Model identifier for selecting encoding (default: "gpt-4")
Returns:
Estimated total token count
"""
import tiktoken
# Select encoding for model, use default on failure
try:
encoding = tiktoken.encoding_for_model(model_id)
except KeyError:
encoding = tiktoken.get_encoding("o200k_base")
# Convert to API message format then count tokens
messages = build_messages(request)
total_tokens = 0
for message in messages:
# Per-message overhead (role, separators, etc.)
total_tokens += 4
# Content tokens
if message.get("content"):
total_tokens += len(encoding.encode(message["content"]))
# tool_calls tokens
if message.get("tool_calls"):
for tool_call in message["tool_calls"]:
func = tool_call.get("function", {})
if func.get("name"):
total_tokens += len(encoding.encode(func["name"]))
if func.get("arguments"):
total_tokens += len(encoding.encode(func["arguments"]))
# Tool definition tokens
if request.tools:
for tool in request.tools:
tool_def = tool.tool_definition
total_tokens += len(encoding.encode(json.dumps(tool_def)))
return total_tokens
# Tools to compress ToolCall arguments
TOOLCALL_COMPACTION_RULES = {
"create_file": "[Content saved to file]",
}
# Tools to compress ToolResult content
TOOLRESULT_COMPACTION_RULES = {
"read_file": "File content from {file_path}. Re-read if needed.",
"search_web": "Search results processed. Query: {query}. Re-search if needed.",
"tavily_search": "Search results processed. Query: {query}. Re-search if needed.",
}
def apply_compaction(context: ExecutionContext, request: LlmRequest) -> None:
"""Compress tool calls and results into reference messages"""
tool_call_args: Dict[str, Dict] = {}
compacted = []
for item in request.contents:
if isinstance(item, ToolCall):
# Save arguments (for use when compressing ToolResult later)
tool_call_args[item.tool_call_id] = item.arguments
# If the ToolCall itself is a compression target (create_file, etc.)
if item.name in TOOLCALL_COMPACTION_RULES:
compressed_args = {
k: TOOLCALL_COMPACTION_RULES[item.name] if k == "content" else v
for k, v in item.arguments.items()
}
compacted.append(ToolCall(
tool_call_id=item.tool_call_id,
name=item.name,
arguments=compressed_args
))
else:
compacted.append(item)
elif isinstance(item, ToolResult):
# If ToolResult is a compression target (read_file, search_web, etc.)
if item.name in TOOLRESULT_COMPACTION_RULES:
args = tool_call_args.get(item.tool_call_id, {})
template = TOOLRESULT_COMPACTION_RULES[item.name]
compressed_content = template.format(
file_path=args.get("file_path", args.get("path", "unknown")),
query=args.get("query", "unknown")
)
compacted.append(ToolResult(
tool_call_id=item.tool_call_id,
name=item.name,
status=item.status,
content=[compressed_content]
))
else:
compacted.append(item)
else:
compacted.append(item)
request.contents = compacted
SUMMARIZATION_PROMPT = """You are summarizing an AI agent's work progress.
Given the following execution history, extract:
1. Key findings: Important information discovered
2. Tools used: List of tools that were called
3. Current status: What has been accomplished and what remains
Be concise. Focus on information that will help the agent continue its work.
Execution History:
{history}
Provide a structured summary."""
async def apply_summarization(
context: ExecutionContext,
request: LlmRequest,
llm_client: LlmClient,
keep_recent: int = 5
) -> None:
"""Replace old messages with a summary"""
contents = request.contents
# Find user message position
user_idx = None
for i, item in enumerate(contents):
if isinstance(item, Message) and item.role == "user":
user_idx = i
break
if user_idx is None:
return
# Check previous summary position (skip already-summarized portions)
last_summary_idx = context.state.get("last_summary_idx", user_idx)
# Calculate summarization target range
summary_start = last_summary_idx + 1
summary_end = len(contents) - keep_recent
# Overlap prevention: exit if nothing to summarize or range is invalid
if summary_end <= summary_start:
return
# Determine portions to preserve (no overlap)
preserved_start = contents[:last_summary_idx + 1]
preserved_end = contents[summary_end:]
to_summarize = contents[summary_start:summary_end]
# Generate summary
history_text = format_history_for_summary(to_summarize)
summary = await generate_summary(llm_client, history_text)
# Add summary to instructions
request.append_instructions(f"[Previous work summary]\n{summary}")
# Keep only preserved portions in contents
request.contents = preserved_start + preserved_end
# Record summary position
context.state["last_summary_idx"] = len(preserved_start) - 1
def format_history_for_summary(items: List[ContentItem]) -> str:
"""Convert ContentItem list to text for summarization"""
lines = []
for item in items:
if isinstance(item, Message):
lines.append(f"[{item.role}]: {item.content[:500]}...")
elif isinstance(item, ToolCall):
lines.append(f"[Tool Call]: {item.name}({item.arguments})")
elif isinstance(item, ToolResult):
content_preview = str(item.content[0])[:200] if item.content else ""
lines.append(f"[Tool Result]: {item.name} -> {content_preview}...")
return "\n".join(lines)
async def generate_summary(llm_client: LlmClient, history: str) -> str:
"""Generate history summary using LLM"""
request = LlmRequest(
instructions=[SUMMARIZATION_PROMPT.format(history=history)],
contents=[Message(role="user", content="Please summarize.")]
)
response = await llm_client.generate(request)
for item in response.content:
if isinstance(item, Message):
return item.content
return ""
class ContextOptimizer:
"""Hierarchical context optimization strategy"""
def __init__(
self,
llm_client: LlmClient,
token_threshold: int = 50000,
enable_compaction: bool = True,
enable_summarization: bool = True,
keep_recent: int = 5
):
self.llm_client = llm_client
self.token_threshold = token_threshold
self.enable_compaction = enable_compaction
self.enable_summarization = enable_summarization
self.keep_recent = keep_recent
async def __call__(
self,
context: ExecutionContext,
request: LlmRequest
) -> Optional[LlmResponse]:
"""Register as before_llm_callback"""
# Step 1: Measure tokens
if count_tokens(request) < self.token_threshold:
return None
# Step 2: Apply Compaction
if self.enable_compaction:
apply_compaction(context, request)
if count_tokens(request) < self.token_threshold:
return None
# Step 3: Apply Summarization
if self.enable_summarization:
await apply_summarization(
context,
request,
self.llm_client,
self.keep_recent
)
return None |