File size: 12,441 Bytes
56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b 56fd459 313f83b |
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 284 285 286 287 288 289 290 291 292 293 294 295 296 297 |
# Agent configuration management system
import json
from typing import Dict, Any, Optional, List
from pathlib import Path
from dataclasses import dataclass, asdict
from jinja2 import Environment, FileSystemLoader
from ankigen_core.logging import logger
from .base import AgentConfig
@dataclass
class AgentPromptTemplate:
"""Template for agent prompts with variables"""
system_prompt: str
user_prompt_template: str
variables: Optional[Dict[str, str]] = None
def __post_init__(self):
if self.variables is None:
self.variables = {}
def render_system_prompt(self, **kwargs) -> str:
"""Render system prompt with provided variables"""
try:
variables = self.variables or {}
return self.system_prompt.format(**{**variables, **kwargs})
except KeyError as e:
logger.error(f"Missing variable in system prompt template: {e}")
return self.system_prompt
def render_user_prompt(self, **kwargs) -> str:
"""Render user prompt template with provided variables"""
try:
variables = self.variables or {}
return self.user_prompt_template.format(**{**variables, **kwargs})
except KeyError as e:
logger.error(f"Missing variable in user prompt template: {e}")
return self.user_prompt_template
class AgentConfigManager:
"""Manages agent configurations using Jinja templates and runtime updates"""
def __init__(
self,
model_overrides: Optional[Dict[str, str]] = None,
template_vars: Optional[Dict[str, Any]] = None,
):
self.model_overrides = model_overrides or {}
self.template_vars = template_vars or {}
self.configs: Dict[str, AgentConfig] = {}
self.prompt_templates: Dict[str, AgentPromptTemplate] = {}
# Set up Jinja2 environment with templates directory
template_dir = Path(__file__).parent / "templates"
self.jinja_env = Environment(loader=FileSystemLoader(template_dir))
self._load_default_configs()
def update_models(self, model_overrides: Dict[str, str]):
"""Update model selections and regenerate configs"""
self.model_overrides = model_overrides
self._load_default_configs()
logger.info(f"Updated model overrides: {model_overrides}")
def update_template_vars(self, template_vars: Dict[str, Any]):
"""Update template variables and regenerate configs"""
self.template_vars = template_vars
self._load_default_configs()
logger.info(f"Updated template variables: {template_vars}")
def _load_default_configs(self):
"""Load all default configurations from Jinja templates"""
try:
self._load_configs_from_template("generators.j2")
self._load_configs_from_template("judges.j2")
self._load_configs_from_template("enhancers.j2")
self._load_prompt_templates_from_template("prompts.j2")
logger.info(
f"Loaded {len(self.configs)} agent configurations from Jinja templates"
)
except Exception as e:
logger.error(f"Failed to load agent configurations from templates: {e}")
def _get_model_for_agent(self, agent_name: str, default_model: str) -> str:
"""Get model for agent, using override if available"""
return self.model_overrides.get(agent_name, default_model)
def _load_configs_from_template(self, template_name: str):
"""Load agent configurations from a Jinja template"""
try:
template = self.jinja_env.get_template(template_name)
# Default models for each agent type
default_models = {
"subject_expert_model": "gpt-4.1",
"pedagogical_agent_model": "gpt-4.1-nano",
"content_structuring_model": "gpt-4.1-nano",
"generation_coordinator_model": "gpt-4.1",
"content_accuracy_judge_model": "gpt-4.1-nano",
"pedagogical_judge_model": "gpt-4.1-nano",
"clarity_judge_model": "gpt-4.1-nano",
"technical_judge_model": "gpt-4.1-nano",
"completeness_judge_model": "gpt-4.1-nano",
"judge_coordinator_model": "gpt-4.1",
"revision_agent_model": "gpt-4.1",
"enhancement_agent_model": "gpt-4.1",
}
# Simple mapping: agent_name -> agent_name_model
model_vars = {}
for agent_name, model in self.model_overrides.items():
model_vars[f"{agent_name}_model"] = model
# Merge all template variables with defaults
render_vars = {**default_models, **self.template_vars, **model_vars}
logger.info(f"Rendering template {template_name} with vars: {render_vars}")
rendered_json = template.render(**render_vars)
config_data = json.loads(rendered_json)
# Create AgentConfig objects from the rendered data
for agent_name, agent_data in config_data.items():
config = AgentConfig(
name=agent_data.get("name", agent_name),
instructions=agent_data.get("instructions", ""),
model=agent_data.get("model", "gpt-4"),
temperature=agent_data.get("temperature", 0.7),
max_tokens=agent_data.get("max_tokens"),
timeout=agent_data.get("timeout", 30.0),
retry_attempts=agent_data.get("retry_attempts", 3),
enable_tracing=agent_data.get("enable_tracing", True),
custom_prompts=agent_data.get("custom_prompts", {}),
)
self.configs[agent_name] = config
logger.info(f"Loaded config for {agent_name}: model={config.model}")
except Exception as e:
logger.error(f"Failed to load configs from template {template_name}: {e}")
def _load_prompt_templates_from_template(self, template_name: str):
"""Load prompt templates from a Jinja template"""
try:
template = self.jinja_env.get_template(template_name)
# Render with current template variables
rendered_json = template.render(**self.template_vars)
template_data = json.loads(rendered_json)
# Create AgentPromptTemplate objects
for template_name, template_info in template_data.items():
prompt_template = AgentPromptTemplate(
system_prompt=template_info.get("system_prompt", ""),
user_prompt_template=template_info.get("user_prompt_template", ""),
variables=template_info.get("variables", {}),
)
self.prompt_templates[template_name] = prompt_template
except Exception as e:
logger.error(
f"Failed to load prompt templates from template {template_name}: {e}"
)
def get_agent_config(self, agent_name: str) -> Optional[AgentConfig]:
"""Get configuration for a specific agent"""
return self.configs.get(agent_name)
def get_config(self, agent_name: str) -> Optional[AgentConfig]:
"""Alias for get_agent_config for compatibility"""
return self.get_agent_config(agent_name)
def get_prompt_template(self, template_name: str) -> Optional[AgentPromptTemplate]:
"""Get a prompt template by name"""
return self.prompt_templates.get(template_name)
def update_agent_config(self, agent_name: str, **kwargs):
"""Update an agent's configuration at runtime"""
if agent_name in self.configs:
config = self.configs[agent_name]
for key, value in kwargs.items():
if hasattr(config, key):
setattr(config, key, value)
logger.info(f"Updated {agent_name} config: {key} = {value}")
def update_config(
self, agent_name: str, updates: Dict[str, Any]
) -> Optional[AgentConfig]:
"""Update agent configuration with a dictionary of updates"""
if agent_name not in self.configs:
return None
config = self.configs[agent_name]
for key, value in updates.items():
if hasattr(config, key):
setattr(config, key, value)
return config
def list_configs(self) -> List[str]:
"""List all agent configuration names"""
return list(self.configs.keys())
def list_prompt_templates(self) -> List[str]:
"""List all prompt template names"""
return list(self.prompt_templates.keys())
def load_config_from_dict(self, config_dict: Dict[str, Any]):
"""Load configuration from a dictionary"""
# Load agent configs
if "agents" in config_dict:
for agent_name, agent_data in config_dict["agents"].items():
config = AgentConfig(
name=agent_name,
instructions=agent_data.get("instructions", ""),
model=agent_data.get("model", "gpt-4.1"),
temperature=agent_data.get("temperature", 0.7),
max_tokens=agent_data.get("max_tokens"),
timeout=agent_data.get("timeout", 30.0),
retry_attempts=agent_data.get("retry_attempts", 3),
enable_tracing=agent_data.get("enable_tracing", True),
custom_prompts=agent_data.get("custom_prompts", {}),
)
self.configs[agent_name] = config
# Load prompt templates
if "prompt_templates" in config_dict:
for template_name, template_data in config_dict["prompt_templates"].items():
template = AgentPromptTemplate(
system_prompt=template_data.get("system_prompt", ""),
user_prompt_template=template_data.get("user_prompt_template", ""),
variables=template_data.get("variables", {}),
)
self.prompt_templates[template_name] = template
def _validate_config(self, config_data: Dict[str, Any]) -> bool:
"""Validate agent configuration data"""
# Check required fields
if "name" not in config_data or "instructions" not in config_data:
return False
# Check temperature range
temperature = config_data.get("temperature", 0.7)
if not 0.0 <= temperature <= 2.0:
return False
# Check timeout is positive
timeout = config_data.get("timeout", 30.0)
if timeout <= 0:
return False
return True
def save_config_to_file(self, filename: str, agents: List[str] = None):
"""Save current configurations to a file"""
# Prepare data structure
data = {"agents": {}, "prompt_templates": {}}
# Add agent configs
agents_to_save = agents if agents else list(self.configs.keys())
for agent_name in agents_to_save:
if agent_name in self.configs:
config = self.configs[agent_name]
data["agents"][agent_name] = asdict(config)
# Add prompt templates
for template_name, template in self.prompt_templates.items():
data["prompt_templates"][template_name] = asdict(template)
try:
with open(filename, "w") as f:
json.dump(data, f, indent=2)
logger.info(f"Saved agent configurations to {filename}")
except Exception as e:
logger.error(f"Failed to save agent config to {filename}: {e}")
# Global config manager instance
_global_config_manager: Optional[AgentConfigManager] = None
def get_config_manager(
model_overrides: Optional[Dict[str, str]] = None,
template_vars: Optional[Dict[str, Any]] = None,
) -> AgentConfigManager:
"""Get the global agent configuration manager"""
global _global_config_manager
if _global_config_manager is None:
_global_config_manager = AgentConfigManager(model_overrides, template_vars)
else:
if model_overrides:
_global_config_manager.update_models(model_overrides)
if template_vars:
_global_config_manager.update_template_vars(template_vars)
return _global_config_manager
|