File size: 20,031 Bytes
c8b77b5 |
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 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 |
#!/usr/bin/env python3
"""
CPU-Optimized Multi-Agent Trainer
This module provides comprehensive multi-agent training capabilities optimized for CPU execution,
including LoRA fine-tuning, agent-specific conditioning, and integration with existing training infrastructure.
"""
import os
import json
import math
import random
import logging
from pathlib import Path
from typing import Dict, List, Optional, Tuple, Any, Union
from dataclasses import dataclass, field
import torch
import yaml
from datasets import DatasetDict, Dataset
from transformers import (
AutoModelForCausalLM,
AutoTokenizer,
TrainingArguments,
Trainer,
DataCollatorForLanguageModeling
)
from trl import SFTTrainer
from peft import LoraConfig, get_peft_model, TaskType
from huggingface_hub import HfApi, create_repo
from ..multi_agent_datasets.multi_agent_loader import MultiAgentDatasetLoader, MultiAgentDatasetConfig
from ..multi_agent_tokenization.agent_tokenizer import AgentTokenManager, AgentTokenConfig, AgentTokenizer
logger = logging.getLogger(__name__)
@dataclass
class MultiAgentTrainingConfig:
"""Configuration for multi-agent training"""
# Model configuration
base_model: str = "microsoft/Phi-3.5-MoE-instruct"
model_cache_dir: Optional[str] = None
trust_remote_code: bool = True
# Training configuration
output_dir: str = "./outputs"
max_steps: int = 50
num_train_epochs: int = 1
per_device_train_batch_size: int = 1
per_device_eval_batch_size: int = 1
gradient_accumulation_steps: int = 8
learning_rate: float = 2e-5
lr_scheduler_type: str = "cosine"
warmup_steps: int = 0
# LoRA configuration
lora_r: int = 8
lora_alpha: int = 16
lora_dropout: float = 0.05
lora_target_modules: str = "all-linear"
lora_bias: str = "none"
# CPU optimization
use_cpu: bool = True
bf16: bool = False
fp16: bool = False
gradient_checkpointing: bool = True
dataloader_num_workers: int = 0
remove_unused_columns: bool = False
# Multi-agent specific
agent_prefix: str = "<|agent:"
agent_suffix: str = "|>"
balance_agents: bool = False
balance_cap: Optional[int] = None
# Logging and monitoring
logging_steps: int = 5
save_steps: int = 50
eval_steps: int = 25
save_total_limit: int = 1
logging_dir: str = "./logs"
report_to: str = "none"
# Hugging Face Hub
hub_repo_id: Optional[str] = None
push_to_hub: bool = False
hub_token: Optional[str] = None
# Dataset configuration
dataset_config: Optional[MultiAgentDatasetConfig] = None
class CPUOptimizedMultiAgentTrainer:
"""
CPU-optimized multi-agent trainer with LoRA fine-tuning
"""
def __init__(self, config: MultiAgentTrainingConfig):
self.config = config
self.tokenizer: Optional[AutoTokenizer] = None
self.model: Optional[torch.nn.Module] = None
self.agent_manager: Optional[AgentTokenManager] = None
self.dataset_loader: Optional[MultiAgentDatasetLoader] = None
self.trainer: Optional[SFTTrainer] = None
self.agents: List[str] = []
self.dataset_stats: Dict[str, Any] = {}
# Setup logging
self._setup_logging()
def _setup_logging(self):
"""Setup logging configuration"""
log_level = logging.INFO
logging.basicConfig(
level=log_level,
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s',
handlers=[
logging.StreamHandler(),
logging.FileHandler(os.path.join(self.config.logging_dir, 'training.log'))
]
)
# Create logs directory
os.makedirs(self.config.logging_dir, exist_ok=True)
def load_model_and_tokenizer(self) -> Tuple[AutoTokenizer, torch.nn.Module]:
"""Load model and tokenizer optimized for CPU"""
logger.info(f"Loading model and tokenizer: {self.config.base_model}")
# Load tokenizer
tokenizer_kwargs = {
"trust_remote_code": self.config.trust_remote_code,
"cache_dir": self.config.model_cache_dir
}
self.tokenizer = AutoTokenizer.from_pretrained(
self.config.base_model,
**tokenizer_kwargs
)
# Configure tokenizer for CPU training
self.tokenizer.model_max_length = 2048
if self.tokenizer.pad_token is None:
self.tokenizer.pad_token = self.tokenizer.unk_token or self.tokenizer.eos_token
self.tokenizer.pad_token_id = self.tokenizer.convert_tokens_to_ids(self.tokenizer.pad_token)
self.tokenizer.padding_side = "right"
# Load model with CPU optimizations
model_kwargs = {
"trust_remote_code": self.config.trust_remote_code,
"torch_dtype": torch.float32, # Use float32 for CPU
"device_map": "cpu",
"attn_implementation": "eager", # Force CPU-compatible attention
"use_cache": False, # Disable cache for training
"cache_dir": self.config.model_cache_dir
}
self.model = AutoModelForCausalLM.from_pretrained(
self.config.base_model,
**model_kwargs
)
logger.info(f"Model loaded with {self.model.num_parameters():,} parameters")
return self.tokenizer, self.model
def setup_agent_tokens(self, agents: List[str]) -> AgentTokenManager:
"""Setup agent token management"""
logger.info(f"Setting up agent tokens for {len(agents)} agents")
agent_config = AgentTokenConfig(
agent_prefix=self.config.agent_prefix,
agent_suffix=self.config.agent_suffix,
resize_embeddings=True
)
self.agent_manager = AgentTokenManager(agent_config)
# Add agent tokens to tokenizer
self.tokenizer, agent_tokens = self.agent_manager.add_agent_tokens_to_tokenizer(
self.tokenizer, agents
)
# Resize model embeddings
self.model = self.agent_manager.resize_model_embeddings(self.model, self.tokenizer)
logger.info(f"Agent tokens setup complete. Tokens: {agent_tokens}")
return self.agent_manager
def load_dataset(self, dataset_path: str) -> Tuple[DatasetDict, List[str], Dict[str, Any]]:
"""Load and process multi-agent dataset"""
logger.info(f"Loading dataset from: {dataset_path}")
# Create dataset configuration
if self.config.dataset_config is None:
dataset_config = MultiAgentDatasetConfig(
dataset_path=dataset_path,
agent_prefix=self.config.agent_prefix,
agent_suffix=self.config.agent_suffix,
balance_agents=self.config.balance_agents,
balance_cap=self.config.balance_cap
)
else:
dataset_config = self.config.dataset_config
dataset_config.dataset_path = dataset_path
# Create dataset loader
self.dataset_loader = MultiAgentDatasetLoader(dataset_config)
# Load and process dataset
dataset, agents, stats = self.dataset_loader.load_and_process(self.tokenizer)
self.agents = agents
self.dataset_stats = stats
logger.info(f"Dataset loaded: {len(agents)} agents, {stats['total_samples']} samples")
return dataset, agents, stats
def create_lora_config(self) -> LoraConfig:
"""Create LoRA configuration optimized for CPU"""
logger.info("Creating LoRA configuration")
lora_config = LoraConfig(
r=self.config.lora_r,
lora_alpha=self.config.lora_alpha,
lora_dropout=self.config.lora_dropout,
bias=self.config.lora_bias,
task_type=TaskType.CAUSAL_LM,
target_modules=self.config.lora_target_modules
)
logger.info(f"LoRA config: r={lora_config.r}, alpha={lora_config.lora_alpha}, dropout={lora_config.lora_dropout}")
return lora_config
def create_training_arguments(self) -> TrainingArguments:
"""Create training arguments optimized for CPU"""
logger.info("Creating training arguments")
training_args = TrainingArguments(
output_dir=self.config.output_dir,
overwrite_output_dir=True,
num_train_epochs=self.config.num_train_epochs,
max_steps=self.config.max_steps,
per_device_train_batch_size=self.config.per_device_train_batch_size,
per_device_eval_batch_size=self.config.per_device_eval_batch_size,
gradient_accumulation_steps=self.config.gradient_accumulation_steps,
learning_rate=self.config.learning_rate,
lr_scheduler_type=self.config.lr_scheduler_type,
warmup_steps=self.config.warmup_steps,
# CPU optimizations
bf16=self.config.bf16,
fp16=self.config.fp16,
gradient_checkpointing=self.config.gradient_checkpointing,
dataloader_num_workers=self.config.dataloader_num_workers,
remove_unused_columns=self.config.remove_unused_columns,
# Logging and saving
logging_steps=self.config.logging_steps,
save_steps=self.config.save_steps,
eval_steps=self.config.eval_steps,
save_total_limit=self.config.save_total_limit,
logging_dir=self.config.logging_dir,
report_to=self.config.report_to,
# Evaluation
evaluation_strategy="steps" if self.config.eval_steps > 0 else "no",
# Optimization
optim="adamw_torch",
weight_decay=0.01,
max_grad_norm=1.0,
# Hub integration
push_to_hub=self.config.push_to_hub,
hub_model_id=self.config.hub_repo_id,
hub_token=self.config.hub_token,
)
logger.info(f"Training arguments created: {training_args.output_dir}")
return training_args
def create_trainer(self, dataset: DatasetDict, lora_config: LoraConfig, training_args: TrainingArguments) -> SFTTrainer:
"""Create SFT trainer for multi-agent training"""
logger.info("Creating SFT trainer")
# Get training and evaluation datasets
train_dataset = dataset["train"]
eval_dataset = dataset.get("test", None)
# Create trainer
self.trainer = SFTTrainer(
model=self.model,
args=training_args,
peft_config=lora_config,
train_dataset=train_dataset,
eval_dataset=eval_dataset,
tokenizer=self.tokenizer,
max_seq_length=2048,
dataset_text_field="text",
packing=True, # Enable packing for efficiency
data_collator=None, # Use default
)
logger.info("SFT trainer created successfully")
return self.trainer
def train(self) -> Dict[str, Any]:
"""Execute training process"""
logger.info("Starting training process")
if self.trainer is None:
raise ValueError("Trainer not initialized. Call create_trainer() first.")
# Start training
training_result = self.trainer.train()
# Save model and tokenizer
self.save_model()
# Save agent tokens
if self.agent_manager:
self.agent_manager.save_agent_tokens(self.config.output_dir)
# Generate training report
report = self.generate_training_report(training_result)
logger.info("Training completed successfully")
return report
def save_model(self):
"""Save trained model and tokenizer"""
logger.info(f"Saving model to {self.config.output_dir}")
os.makedirs(self.config.output_dir, exist_ok=True)
# Save model
self.trainer.model.save_pretrained(self.config.output_dir)
# Save tokenizer
self.tokenizer.save_pretrained(self.config.output_dir)
# Save training configuration
config_file = os.path.join(self.config.output_dir, "training_config.json")
with open(config_file, 'w') as f:
json.dump(self.config.__dict__, f, indent=2, default=str)
logger.info("Model saved successfully")
def generate_training_report(self, training_result: Any) -> Dict[str, Any]:
"""Generate comprehensive training report"""
report = {
"training_config": self.config.__dict__,
"dataset_stats": self.dataset_stats,
"agents": self.agents,
"agent_tokens": self.agent_manager.get_agent_statistics() if self.agent_manager else {},
"training_metrics": {
"train_loss": getattr(training_result, 'train_loss', None),
"train_runtime": getattr(training_result, 'train_runtime', None),
"train_samples_per_second": getattr(training_result, 'train_samples_per_second', None),
"train_steps_per_second": getattr(training_result, 'train_steps_per_second', None),
},
"model_info": {
"base_model": self.config.base_model,
"num_parameters": self.model.num_parameters() if self.model else None,
"vocab_size": len(self.tokenizer) if self.tokenizer else None,
}
}
# Save report
report_file = os.path.join(self.config.output_dir, "training_report.json")
with open(report_file, 'w') as f:
json.dump(report, f, indent=2, default=str)
logger.info(f"Training report saved to {report_file}")
return report
def push_to_hub(self, repo_id: Optional[str] = None, commit_message: str = "Multi-agent LoRA adapter"):
"""Push trained model to Hugging Face Hub"""
if not self.config.push_to_hub:
logger.info("Push to hub disabled")
return
repo_id = repo_id or self.config.hub_repo_id
if not repo_id:
raise ValueError("Repository ID not specified")
if not self.config.hub_token:
raise ValueError("Hub token not provided")
logger.info(f"Pushing model to Hub: {repo_id}")
# Create repository
create_repo(repo_id, repo_type="model", exist_ok=True, token=self.config.hub_token)
# Upload model
api = HfApi(token=self.config.hub_token)
api.upload_folder(
folder_path=self.config.output_dir,
repo_id=repo_id,
repo_type="model",
commit_message=commit_message,
allow_patterns=["*.json", "*.md", "*.bin", "*.yaml", "*.txt"]
)
logger.info(f"Model pushed to https://huggingface.co/{repo_id}")
def create_readme(self) -> str:
"""Create README for the trained model"""
readme_content = f"""# Multi-Agent LoRA Adapter for {self.config.base_model}
## Overview
This is a LoRA (Low-Rank Adaptation) adapter trained for multi-agent scenarios using {self.config.base_model}.
## Agent Conditioning Tokens
This adapter expects agent-specific tokens to condition the model behavior:
"""
if self.agents:
for agent in self.agents:
token = f"{self.config.agent_prefix}{agent}{self.config.agent_suffix}"
readme_content += f"- `{token}` - {agent} agent\n"
readme_content += f"""
## Usage Example
```python
from transformers import AutoTokenizer, AutoModelForCausalLM
from peft import PeftModel
# Load base model and tokenizer
tokenizer = AutoTokenizer.from_pretrained("{self.config.base_model}")
model = AutoModelForCausalLM.from_pretrained("{self.config.base_model}")
# Load LoRA adapter
model = PeftModel.from_pretrained(model, "{self.config.hub_repo_id}")
# Example usage
prompt = "How do I implement a binary search algorithm?"
agent_token = "{self.config.agent_prefix}SWE{self.config.agent_suffix}\\n"
full_prompt = agent_token + prompt
inputs = tokenizer(full_prompt, return_tensors="pt")
outputs = model.generate(**inputs, max_new_tokens=100)
response = tokenizer.decode(outputs[0], skip_special_tokens=True)
print(response)
```
## Training Configuration
- **Base Model**: {self.config.base_model}
- **LoRA Rank**: {self.config.lora_r}
- **LoRA Alpha**: {self.config.lora_alpha}
- **Learning Rate**: {self.config.learning_rate}
- **Max Steps**: {self.config.max_steps}
- **Batch Size**: {self.config.per_device_train_batch_size}
## Dataset Statistics
- **Total Samples**: {self.dataset_stats.get('total_samples', 'N/A')}
- **Agents**: {', '.join(self.agents) if self.agents else 'N/A'}
## License
This model is released under the same license as the base model.
"""
else:
readme_content += "No specific agents were configured for this adapter.\n"
# Save README
readme_file = os.path.join(self.config.output_dir, "README.md")
with open(readme_file, 'w') as f:
f.write(readme_content)
logger.info(f"README created: {readme_file}")
return readme_file
class MultiAgentTrainingPipeline:
"""
Complete pipeline for multi-agent training
"""
def __init__(self, config: MultiAgentTrainingConfig):
self.config = config
self.trainer = CPUOptimizedMultiAgentTrainer(config)
def run_training(self, dataset_path: str) -> Dict[str, Any]:
"""Run complete training pipeline"""
logger.info("Starting multi-agent training pipeline")
try:
# Load model and tokenizer
self.trainer.load_model_and_tokenizer()
# Load dataset
dataset, agents, stats = self.trainer.load_dataset(dataset_path)
# Setup agent tokens
self.trainer.setup_agent_tokens(agents)
# Create LoRA config
lora_config = self.trainer.create_lora_config()
# Create training arguments
training_args = self.trainer.create_training_arguments()
# Create trainer
self.trainer.create_trainer(dataset, lora_config, training_args)
# Train model
training_result = self.trainer.train()
# Create README
self.trainer.create_readme()
# Push to hub if configured
if self.config.push_to_hub:
self.trainer.push_to_hub()
logger.info("Training pipeline completed successfully")
return training_result
except Exception as e:
logger.error(f"Training pipeline failed: {e}")
raise
# Example usage and testing
if __name__ == "__main__":
# Configure logging
logging.basicConfig(level=logging.INFO)
# Example configuration
config = MultiAgentTrainingConfig(
base_model="microsoft/Phi-3.5-MoE-instruct",
output_dir="./outputs/multi_agent_test",
max_steps=10, # Small number for testing
hub_repo_id="test/multi-agent-adapter",
push_to_hub=False # Set to True for actual deployment
)
# Create training pipeline
pipeline = MultiAgentTrainingPipeline(config)
try:
# Run training (would need actual dataset path)
# result = pipeline.run_training("/path/to/dataset")
print("Multi-agent training pipeline ready")
except Exception as e:
print(f"Error: {e}")
|