File size: 7,947 Bytes
dc893fb |
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 |
"""Example 3: Session Note Tool Usage
This example demonstrates the Session Note Tool - one of the core features
that allows agents to maintain memory across sessions.
Based on: tests/test_note_tool.py, tests/test_integration.py
"""
import asyncio
import json
import tempfile
from pathlib import Path
from mini_agent import LLMClient
from mini_agent.agent import Agent
from mini_agent.config import Config
from mini_agent.tools import BashTool, ReadTool, WriteTool
from mini_agent.tools.note_tool import RecallNoteTool, SessionNoteTool
async def demo_direct_note_usage():
"""Demo: Direct usage of Session Note tools."""
print("\n" + "=" * 60)
print("Demo 1: Direct Session Note Tool Usage")
print("=" * 60)
with tempfile.NamedTemporaryFile(mode="w", delete=False, suffix=".json") as f:
note_file = f.name
try:
# Create tools
record_tool = SessionNoteTool(memory_file=note_file)
recall_tool = RecallNoteTool(memory_file=note_file)
# Record some notes
print("\nπ Recording notes...")
result = await record_tool.execute(
content="User is a Python developer working on agent systems",
category="user_info",
)
print(f" β {result.content}")
result = await record_tool.execute(
content="Project name: mini-agent, Tech: Python 3.12 + async",
category="project_info",
)
print(f" β {result.content}")
result = await record_tool.execute(
content="User prefers concise, well-documented code",
category="user_preference",
)
print(f" β {result.content}")
# Recall all notes
print("\nπ Recalling all notes...")
result = await recall_tool.execute()
print(result.content)
# Recall filtered notes
print("\nπ Recalling user preferences only...")
result = await recall_tool.execute(category="user_preference")
print(result.content)
# Show the memory file
print("\nπ Memory file content:")
print("=" * 60)
notes = json.loads(Path(note_file).read_text())
print(json.dumps(notes, indent=2, ensure_ascii=False))
print("=" * 60)
finally:
Path(note_file).unlink(missing_ok=True)
async def demo_agent_with_notes():
"""Demo: Agent using Session Notes to remember context."""
print("\n" + "=" * 60)
print("Demo 2: Agent with Session Memory")
print("=" * 60)
# Load configuration
config_path = Path("mini_agent/config/config.yaml")
if not config_path.exists():
print("β config.yaml not found")
return
config = Config.from_yaml(config_path)
if not config.llm.api_key or config.llm.api_key.startswith("YOUR_"):
print("β API key not configured")
return
with tempfile.TemporaryDirectory() as workspace_dir:
print(f"π Workspace: {workspace_dir}\n")
# Load system prompt (Agent will auto-inject workspace info)
system_prompt_path = Path("mini_agent/config/system_prompt.md")
if system_prompt_path.exists():
system_prompt = system_prompt_path.read_text(encoding="utf-8")
else:
system_prompt = "You are a helpful AI assistant."
# Add Session Note instructions
note_instructions = """
IMPORTANT - Session Note Management:
You have access to record_note and recall_notes tools. Use them to:
- record_note: Save important facts, preferences, decisions that should persist
- recall_notes: Retrieve previously saved notes
Guidelines:
- Proactively record key information during conversations
- Recall notes at the start to restore context
- Categories: user_info, user_preference, project_info, decision, etc.
"""
system_prompt += note_instructions
# Initialize LLM
llm_client = LLMClient(
api_key=config.llm.api_key,
api_base=config.llm.api_base,
model=config.llm.model,
)
# Memory file
memory_file = Path(workspace_dir) / ".agent_memory.json"
# Tools including Session Note tools
tools = [
ReadTool(workspace_dir=workspace_dir),
WriteTool(workspace_dir=workspace_dir),
BashTool(),
SessionNoteTool(memory_file=str(memory_file)),
RecallNoteTool(memory_file=str(memory_file)),
]
# === First Session ===
print("=" * 60)
print("Session 1: Teaching the agent about user preferences")
print("=" * 60)
agent1 = Agent(
llm_client=llm_client,
system_prompt=system_prompt,
tools=tools,
max_steps=15,
workspace_dir=workspace_dir,
)
task1 = """
Hello! Let me introduce myself:
- I'm Alex, a senior Python developer
- I'm building an AI agent framework called "mini-agent"
- I use Python 3.12 with asyncio
- I prefer type hints and comprehensive docstrings
- My coding style: clean, functional, well-tested
Please remember this information for future conversations.
Also, create a simple README.md file acknowledging you understood.
"""
print(f"\nπ User message:\n{task1}\n")
print("π€ Agent is working...\n")
agent1.add_user_message(task1)
try:
result1 = await agent1.run()
print("\n" + "=" * 60)
print("Agent response:")
print("=" * 60)
print(result1)
print("=" * 60)
# Check memory file
if memory_file.exists():
notes = json.loads(memory_file.read_text())
print(f"\nβ
Agent recorded {len(notes)} notes in memory")
for note in notes:
print(f" - [{note['category']}] {note['content'][:50]}...")
else:
print("\nβ οΈ No notes found")
except Exception as e:
print(f"β Error: {e}")
return
# === Second Session (New Agent Instance) ===
print("\n\n" + "=" * 60)
print("Session 2: New agent instance (simulating new conversation)")
print("=" * 60)
agent2 = Agent(
llm_client=llm_client,
system_prompt=system_prompt,
tools=tools,
max_steps=10,
workspace_dir=workspace_dir,
)
task2 = """
Hello! I'm back. Do you remember who I am and what project I'm working on?
What were my code style preferences?
"""
print(f"\nπ User message:\n{task2}\n")
print("π€ Agent is working (should recall previous notes)...\n")
agent2.add_user_message(task2)
try:
result2 = await agent2.run()
print("\n" + "=" * 60)
print("Agent response:")
print("=" * 60)
print(result2)
print("=" * 60)
print("\nβ
Session Note Demo completed!")
print("\nKey Points:")
print(" 1. Agent in Session 1 recorded important information")
print(" 2. Agent in Session 2 recalled previous notes")
print(" 3. Memory persists across agent instances via file")
except Exception as e:
print(f"β Error: {e}")
async def main():
"""Run all demos."""
print("=" * 60)
print("Session Note Tool Examples")
print("=" * 60)
print("\nSession Notes allow agents to remember context across sessions.")
print("This is a key feature for building production-ready agents.\n")
# Run demos
await demo_direct_note_usage()
print("\n" * 2)
await demo_agent_with_notes()
print("\n" + "=" * 60)
print("All demos completed! β
")
print("=" * 60)
if __name__ == "__main__":
asyncio.run(main())
|