File size: 33,921 Bytes
e6fad38 | 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 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 | #!/usr/bin/env python3
"""
Multi-Evaluation Orchestrator
Runs multiple evaluation scripts with configurable parameters and organized logging.
Finds the best checkpoint from the training directory and passes it to all
sub-scripts for consistent evaluation.
"""
import os
import sys
import argparse
import subprocess
import json
from datetime import datetime
from pathlib import Path
from typing import Dict, List, Any, Optional, Tuple
import concurrent.futures
import time
import threading
# ============================================================================
# Get the directory where this script is located
# ============================================================================
SCRIPT_DIR = Path(__file__).resolve().parent
# ============================================================================
# CONFIGURATION SECTION - EASILY MODIFIABLE
# ============================================================================
# Shared model/training paths (will be injected into evaluation scripts)
RAW_MODEL_PATH = "/home/msalimi/PLLMS/unsloth-Qwen2.5-14B-Instruct-bnb-4bit"
TRAINING_DIR = "/home/msalimi/users/Nima/AbductiveReasoning/GRPO/results/Training_dt11.26.15:08_e20_unsloth_Qwen2.5_14B_Instruct_bnb_4bit_bnb_4bit_lr1e-05_t0.7_Ξ΅0.2_r64_b4"
BASE_OUTPUT_DIR = str(SCRIPT_DIR)
NUM_EPOCHS = 20 # Default number of training epochs
# List of evaluation scripts to run
EVALUATION_SCRIPTS = [
{
'script': str(SCRIPT_DIR / 'evaluate_aimo_raw_vs_finetuned.py'),
'name': 'AIMO Dataset Evaluation',
'output_subdir': 'aimo_evaluation_results',
'params': {
'split': 'test',
},
'override_terminal': False
},
{
'script': str(SCRIPT_DIR / 'evaluate_aime_raw_vs_finetuned.py'),
'name': 'AIME 2025 Dataset Evaluation',
'output_subdir': 'aime_evaluation_results',
'params': {
'split': 'train'
},
'override_terminal': False
},
{
'script': str(SCRIPT_DIR /'evaluate_copa_raw_vs_finetuned_guess_cause.py'),
'name': 'COPA Dataset Evaluation (Guess Cause)',
'output_subdir': 'copa_evaluation_guess_cause_results',
'params': {
'split': 'train',
},
'override_terminal': False
},
{
'script': str(SCRIPT_DIR /'evaluate_copa_raw_vs_finetuned_guess_effect.py'),
'name': 'COPA Dataset Evaluation (Guess effect)',
'output_subdir': 'copa_evaluation_guess_effect_results',
'params': {
'split': 'train',
},
'override_terminal': False
},
{
'script': str(SCRIPT_DIR /'evaluate_art_raw_vs_finetuned.py'),
'name': 'ART Dataset Evaluation',
'output_subdir': 'art_evaluation_results',
'params': {
},
'override_terminal': False
},
{
'script': str(SCRIPT_DIR /'evaluate_goEmotion_raw_vs_finetuned.py'),
'name': 'GoEmotion Dataset Evaluation',
'output_subdir': 'goEmotion_evaluation_results',
'params': {
'split': 'test',
},
'override_terminal': False
},
{
'script': str(SCRIPT_DIR /'evaluate_gsm8k_raw_vs_finetuned.py'),
'name': 'GSM8K Dataset Evaluation',
'output_subdir': 'gsm8k_evaluation_results',
'params': {
'split': 'test',
},
'override_terminal': False
},
]
# Default parameters shared across all scripts
DEFAULT_PARAMS = {
'cuda_device': '3',
'batch_size': 8,
'max_samples': None,
'skip_raw': False,
'skip_finetuned': False,
'checkpoint_path': None,
'checkpoint_dir': None,
}
# Parallel execution settings
DEFAULT_PARALLEL_COUNT = 1
# CUDA devices for parallel execution (will cycle through these IN ORDER)
CUDA_DEVICES = ['0']
# Output directory for consolidated orchestrator results
ORCHESTRATOR_OUTPUT_DIR = str(SCRIPT_DIR / 'multi_evaluation_results')
# ============================================================================
# END OF CONFIGURATION SECTION
# ============================================================================
class EvaluationOrchestrator:
"""Manages execution of multiple evaluation scripts with organized logging."""
def __init__(self, output_dir: str, parallel_count: int = 1,
raw_model_path: str = None, training_dir: str = None,
base_output_dir: str = None, realtime_logs: bool = True):
# Convert output_dir to absolute path based on script location
if not os.path.isabs(output_dir):
output_dir = os.path.join(SCRIPT_DIR, output_dir)
self.output_dir = Path(output_dir)
self.output_dir.mkdir(parents=True, exist_ok=True)
self.parallel_count = parallel_count
self.realtime_logs = realtime_logs
# Thread-safe printing lock
self.print_lock = threading.Lock()
# Store paths for injection
self.raw_model_path = raw_model_path or RAW_MODEL_PATH
self.training_dir = training_dir or TRAINING_DIR
self.base_output_dir = base_output_dir or BASE_OUTPUT_DIR
# Create timestamped run directory
timestamp = datetime.now().strftime('%Y%m%d_%H%M%S')
self.run_dir = self.output_dir / f'run_{timestamp}'
self.run_dir.mkdir(parents=True, exist_ok=True)
# Master log file
self.master_log = self.run_dir / 'master_log.txt'
def find_best_checkpoint(self) -> Tuple[Optional[str], Optional[str]]:
"""
Finds the best checkpoint by mapping existing checkpoints to their epochs
and selecting the one with the highest validation reward.
Returns (path_to_checkpoint, reason_string).
"""
print(f"\n{'='*70}")
print(f"π CHECKPOINT SELECTION PROCESS")
print(f"{'='*70}")
val_metrics_path = os.path.join(self.training_dir, "val_metrics.json")
checkpoint_dir = os.path.join(self.training_dir, "checkpoint")
print(f"π Training directory: {self.training_dir}")
print(f"π Checkpoint directory: {checkpoint_dir}")
print(f"π Val metrics file: {val_metrics_path}")
print(f"βοΈ Configured epochs: {NUM_EPOCHS}")
print()
# Check if checkpoint directory exists
if not os.path.exists(checkpoint_dir):
reason = "Checkpoint directory not found."
print(f"β {reason}")
print(f"{'='*70}\n")
return None, reason
# Find all checkpoints
checkpoints = [d for d in os.listdir(checkpoint_dir) if d.startswith('checkpoint-')]
if not checkpoints:
reason = "No checkpoints found in the directory."
print(f"β {reason}")
print(f"{'='*70}\n")
return None, reason
print(f"β
Found {len(checkpoints)} checkpoint(s):")
# Parse checkpoint steps and display them
try:
checkpoint_steps = [(int(c.split('-')[1]), c) for c in checkpoints]
checkpoint_steps.sort()
# Display all checkpoints
for step, name in checkpoint_steps:
print(f" β’ {name} (step {step})")
latest_checkpoint_name = checkpoint_steps[-1][1]
latest_checkpoint_step = checkpoint_steps[-1][0]
latest_checkpoint_path = os.path.join(checkpoint_dir, latest_checkpoint_name)
print(f"\nπ Latest checkpoint: {latest_checkpoint_name} (step {latest_checkpoint_step})")
except (ValueError, IndexError) as e:
reason = f"Could not parse checkpoint numbers: {e}"
print(f"β {reason}")
print(f"{'='*70}\n")
return None, reason
# Check if validation metrics exist
if not os.path.exists(val_metrics_path):
reason = "No val_metrics.json found, using latest checkpoint."
print(f"\nβ οΈ {reason}")
print(f"π― Selected: {latest_checkpoint_path}")
print(f"{'='*70}\n")
return latest_checkpoint_path, reason
# Load and analyze validation metrics
try:
print(f"\nπ Loading validation metrics...")
with open(val_metrics_path, 'r') as f:
val_metrics = json.load(f)
print(f"β
Found metrics for {len(val_metrics)} epoch(s)")
# Calculate steps per epoch using global NUM_EPOCHS
max_checkpoint_step = checkpoint_steps[-1][0]
max_epoch_in_data = max(float(k) for k in val_metrics.keys())
# Use NUM_EPOCHS for calculation
estimated_steps_per_epoch = max_checkpoint_step / NUM_EPOCHS
print(f"\nπ’ Steps per epoch estimation:")
print(f" Max checkpoint step: {max_checkpoint_step}")
print(f" Configured epochs: {NUM_EPOCHS}")
print(f" Max epoch in metrics: {max_epoch_in_data}")
print(f" Estimated steps/epoch: {estimated_steps_per_epoch:.2f}")
if max_epoch_in_data != NUM_EPOCHS:
print(f" β οΈ Note: Data has {max_epoch_in_data} epochs, but using {NUM_EPOCHS} for calculation")
# Map each checkpoint to its nearest epoch
print(f"\nπΊοΈ Mapping checkpoints to validation epochs:")
print(f"\n{'Checkpoint':<20} {'Step':<8} {'Est. Epoch':<12} {'Nearest Epoch':<14} {'Avg Reward':<12} {'Status'}")
print(f"{'-'*90}")
checkpoint_mapping = []
for step, name in checkpoint_steps:
# Calculate which epoch this checkpoint corresponds to
estimated_epoch = step / estimated_steps_per_epoch
# Find the nearest actual epoch in validation metrics
nearest_epoch = min(val_metrics.keys(),
key=lambda e: abs(float(e) - estimated_epoch))
nearest_epoch_float = float(nearest_epoch)
# Get the reward for that epoch
avg_reward = val_metrics[nearest_epoch].get('avg_reward', -float('inf'))
checkpoint_mapping.append({
'name': name,
'step': step,
'estimated_epoch': estimated_epoch,
'nearest_epoch': nearest_epoch_float,
'avg_reward': avg_reward,
'path': os.path.join(checkpoint_dir, name)
})
print(f"{name:<20} {step:<8} {estimated_epoch:<12.2f} {nearest_epoch_float:<14.1f} {avg_reward:<12.4f}")
# Find the checkpoint with the highest reward
best_checkpoint = max(checkpoint_mapping, key=lambda x: x['avg_reward'])
print(f"\n{'='*90}")
print(f"π BEST CHECKPOINT AMONG AVAILABLE:")
print(f"{'='*90}")
# Display comparison
print(f"\n{'Checkpoint':<20} {'Step':<8} {'Epoch':<8} {'Avg Reward':<12} {'Status'}")
print(f"{'-'*60}")
for ckpt in sorted(checkpoint_mapping, key=lambda x: x['avg_reward'], reverse=True):
is_best = "β
SELECTED" if ckpt['name'] == best_checkpoint['name'] else ""
print(f"{ckpt['name']:<20} {ckpt['step']:<8} {ckpt['nearest_epoch']:<8.1f} {ckpt['avg_reward']:<12.4f} {is_best}")
print(f"\nπ― SELECTED CHECKPOINT:")
print(f" Name: {best_checkpoint['name']}")
print(f" Path: {best_checkpoint['path']}")
print(f" Step: {best_checkpoint['step']}")
print(f" Estimated Epoch: {best_checkpoint['estimated_epoch']:.2f}")
print(f" Mapped to Epoch: {best_checkpoint['nearest_epoch']:.1f}")
print(f" Validation Reward: {best_checkpoint['avg_reward']:.4f}")
# Additional analysis
global_best_epoch = max(val_metrics.items(),
key=lambda x: x[1].get('avg_reward', -float('inf')))[0]
global_best_reward = val_metrics[global_best_epoch]['avg_reward']
if float(global_best_epoch) != best_checkpoint['nearest_epoch']:
reward_diff = best_checkpoint['avg_reward'] - global_best_reward
print(f"\nβ οΈ NOTE: Global best epoch is {global_best_epoch} (reward: {global_best_reward:.4f})")
print(f" But no checkpoint exists for that epoch.")
print(f" Selected checkpoint has reward difference: {reward_diff:+.4f}")
print(f" Consider saving checkpoints more frequently to capture peak performance.")
else:
print(f"\nβ
This checkpoint corresponds to the global best validation epoch!")
reason = (f"Best available checkpoint at step {best_checkpoint['step']} "
f"(epoch ~{best_checkpoint['nearest_epoch']:.1f}) "
f"with validation avg_reward {best_checkpoint['avg_reward']:.4f}.")
print(f"{'='*90}\n")
return best_checkpoint['path'], reason
except (json.JSONDecodeError, KeyError, Exception) as e:
reason = f"Error processing val_metrics.json ({e}), using latest checkpoint."
print(f"\nβ {reason}")
print(f"π― Selected: {latest_checkpoint_path}")
print(f"{'='*70}\n")
return latest_checkpoint_path, reason
def inject_paths_into_script(self, script_config: Dict) -> Dict[str, str]:
"""Create environment variables to inject paths into evaluation scripts."""
output_dir = os.path.join(self.base_output_dir,
script_config.get('output_subdir', 'evaluation_results'))
return {
'EVAL_RAW_MODEL_PATH': self.raw_model_path,
'EVAL_TRAINING_DIR': self.training_dir,
'EVAL_OUTPUT_DIR': output_dir,
}
def build_command_args(self, script_config: Dict, terminal_args: Dict,
cuda_device: str) -> List[str]:
"""Build command line arguments for a script."""
override = script_config.get('override_terminal', False)
script_params = script_config.get('params', {})
# Determine parameter priority
if override:
final_params = {**DEFAULT_PARAMS, **terminal_args, **script_params}
else:
final_params = {**DEFAULT_PARAMS, **script_params, **terminal_args}
# Override cuda_device for parallel execution
final_params['cuda_device'] = cuda_device
# Build argument list
args = []
for key, value in final_params.items():
if value is None:
continue
arg_name = f'--{key}'
# Handle boolean flags
if isinstance(value, bool):
if value:
args.append(arg_name)
else:
args.extend([arg_name, str(value)])
return args
def stream_output(self, pipe, log_file, script_name: str, stream_name: str):
"""Stream output from pipe to both console and log file in real-time."""
try:
for line in iter(pipe.readline, ''):
if line:
# Write to log file immediately
log_file.write(line)
log_file.flush()
# Print to console with thread-safe lock
if self.realtime_logs:
with self.print_lock:
# Add prefix to identify which script is outputting
prefix = f"[{script_name}] "
print(f"{prefix}{line}", end='')
sys.stdout.flush()
except Exception as e:
with self.print_lock:
print(f"Error streaming {stream_name} for {script_name}: {e}")
def run_single_evaluation(self, script_config: Dict, terminal_args: Dict,
cuda_device: str, index: int) -> Dict[str, Any]:
"""Run a single evaluation script and capture its output with real-time streaming."""
script_path = script_config['script']
script_name = script_config['name']
with self.print_lock:
print(f"\n{'='*70}")
print(f"[{index + 1}/{len(EVALUATION_SCRIPTS)}] Starting: {script_name}")
print(f"Script: {script_path}")
print(f"CUDA Device: {cuda_device}")
print(f"{'='*70}\n")
# Build command
cmd_args = self.build_command_args(script_config, terminal_args, cuda_device)
command = [sys.executable, script_path] + cmd_args
# Prepare environment with path injection
env = os.environ.copy()
env.update(self.inject_paths_into_script(script_config))
# Create individual log file
log_filename = f"{index + 1:02d}_{Path(script_path).stem}.txt"
log_path = self.run_dir / log_filename
# Record start time
start_time = time.time()
start_datetime = datetime.now().strftime('%Y-%m-%d %H:%M:%S')
result = {
'index': index,
'name': script_name,
'script': script_path,
'cuda_device': cuda_device,
'start_time': start_datetime,
'command': ' '.join(command),
'success': False,
'error': None,
'log_file': str(log_path),
'duration_seconds': 0,
'raw_model_path': self.raw_model_path,
'training_dir': self.training_dir,
'output_dir': env['EVAL_OUTPUT_DIR']
}
try:
# Open log file for writing
with open(log_path, 'w', encoding='utf-8', buffering=1) as log_file:
# Write header to log file
log_file.write(f"{'='*70}\n")
log_file.write(f"EVALUATION: {script_name}\n")
log_file.write(f"{'='*70}\n")
log_file.write(f"Script: {script_path}\n")
log_file.write(f"CUDA Device: {cuda_device}\n")
log_file.write(f"Start Time: {start_datetime}\n")
log_file.write(f"Command: {' '.join(command)}\n")
log_file.write(f"\nPATH CONFIGURATION:\n")
log_file.write(f" Raw Model: {self.raw_model_path}\n")
log_file.write(f" Training Dir: {self.training_dir}\n")
log_file.write(f" Output Dir: {env['EVAL_OUTPUT_DIR']}\n")
log_file.write(f"{'='*70}\n\n")
log_file.write("OUTPUT:\n")
log_file.write("-" * 70 + "\n")
log_file.flush()
# Start subprocess with pipes
process = subprocess.Popen(
command,
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT, # Merge stderr into stdout
text=True,
bufsize=1, # Line buffered
env=env,
universal_newlines=True
)
# Stream output in real-time
self.stream_output(process.stdout, log_file, script_name, "stdout")
# Wait for process to complete
return_code = process.wait()
# Calculate duration
duration = time.time() - start_time
result['duration_seconds'] = duration
result['return_code'] = return_code
result['success'] = (return_code == 0)
# Write footer to log file
log_file.write("\n" + "-" * 70 + "\n")
log_file.write(f"\nDuration: {duration:.2f} seconds ({duration/60:.1f} minutes)\n")
log_file.write(f"Return Code: {return_code}\n")
log_file.write(f"Status: {'β
SUCCESS' if result['success'] else 'β FAILED'}\n")
log_file.write(f"{'='*70}\n")
# Print summary
status = "β
SUCCESS" if result['success'] else "β FAILED"
with self.print_lock:
print(f"\n{status} - {script_name} (Duration: {duration:.2f}s / {duration/60:.1f}m)")
if not result['success']:
result['error'] = f"Script exited with code {return_code}"
print(f" Error: {result['error']}")
print(f" Check log file: {log_path}\n")
else:
print(f" Log file: {log_path}\n")
except Exception as e:
duration = time.time() - start_time
result['duration_seconds'] = duration
result['error'] = str(e)
# Write error to log file
with open(log_path, 'a', encoding='utf-8') as f:
f.write(f"\n{'='*70}\n")
f.write(f"EXCEPTION OCCURRED\n")
f.write(f"Duration: {duration:.2f} seconds\n")
f.write(f"Exception: {str(e)}\n")
f.write(f"{'='*70}\n")
with self.print_lock:
print(f"\nβ EXCEPTION - {script_name}: {str(e)}")
print(f" Check log file: {log_path}\n")
return result
def run_all_evaluations(self, terminal_args: Dict, find_best: bool):
"""Run all evaluation scripts with parallel execution support."""
print(f"\n{'='*70}")
print(f"π MULTI-EVALUATION ORCHESTRATOR")
print(f"{'='*70}")
print(f"Total Scripts: {len(EVALUATION_SCRIPTS)}")
print(f"Parallel Count: {self.parallel_count}")
print(f"CUDA Devices Pool: {CUDA_DEVICES}")
print(f"Real-time Logs: {'Enabled' if self.realtime_logs else 'Disabled'}")
print(f"Output Directory: {self.run_dir}")
print(f"\nPATH CONFIGURATION:")
print(f" Raw Model: {self.raw_model_path}")
print(f" Training Dir: {self.training_dir}")
print(f" Base Output: {self.base_output_dir}")
# --- NEW: Best Checkpoint Finder Logic ---
print(f"\nCHECKPOINT SELECTION:")
if 'checkpoint_path' in terminal_args:
print(f" Mode: Manual (provided via --checkpoint_path)")
print(f" Using: {terminal_args['checkpoint_path']}")
elif find_best:
print(f" Mode: Automatic (searching for best checkpoint...)")
best_path, reason = self.find_best_checkpoint()
if best_path:
terminal_args['checkpoint_path'] = best_path
print(f" β
Found: {best_path}")
print(f" Reason: {reason}")
else:
print(f" β οΈ WARNING: Could not find best checkpoint. Reason: {reason}")
print(f" Sub-scripts will use their own default behavior.")
else:
print(" Mode: Disabled (via --no-find-best-checkpoint)")
print(" Sub-scripts will use their own default behavior.")
print(f"{'='*70}\n")
results = []
overall_start = time.time()
if self.parallel_count == 1:
# Sequential execution
for idx, script_config in enumerate(EVALUATION_SCRIPTS):
cuda_device = CUDA_DEVICES[idx % len(CUDA_DEVICES)]
result = self.run_single_evaluation(script_config, terminal_args,
cuda_device, idx)
results.append(result)
else:
# Parallel execution
with concurrent.futures.ThreadPoolExecutor(max_workers=self.parallel_count) as executor:
futures = []
for idx, script_config in enumerate(EVALUATION_SCRIPTS):
cuda_device = CUDA_DEVICES[idx % len(CUDA_DEVICES)]
future = executor.submit(
self.run_single_evaluation,
script_config, terminal_args, cuda_device, idx
)
futures.append(future)
# Wait for all to complete
for future in concurrent.futures.as_completed(futures):
result = future.result()
results.append(result)
# Sort results by index to maintain order
results.sort(key=lambda x: x['index'])
overall_duration = time.time() - overall_start
# Write master log
self.write_master_log(results, overall_duration, terminal_args)
# Print final summary
self.print_summary(results, overall_duration)
return results
def write_master_log(self, results: List[Dict], overall_duration: float,
terminal_args: Dict):
"""Write consolidated master log file."""
with open(self.master_log, 'w', encoding='utf-8') as f:
f.write("="*70 + "\n")
f.write("MULTI-EVALUATION ORCHESTRATOR - MASTER LOG\n")
f.write("="*70 + "\n")
f.write(f"Run Directory: {self.run_dir}\n")
f.write(f"Timestamp: {datetime.now().strftime('%Y-%m-%d %H:%M:%S')}\n")
f.write(f"Total Duration: {overall_duration:.2f} seconds ({overall_duration/60:.1f} minutes)\n")
f.write(f"Parallel Count: {self.parallel_count}\n")
f.write(f"Real-time Logs: {'Enabled' if self.realtime_logs else 'Disabled'}\n")
f.write(f"Total Scripts: {len(EVALUATION_SCRIPTS)}\n")
f.write(f"\nPATH CONFIGURATION:\n")
f.write(f" Raw Model: {self.raw_model_path}\n")
f.write(f" Training Dir: {self.training_dir}\n")
f.write(f" Base Output: {self.base_output_dir}\n")
f.write(f"\nCUDA DEVICES POOL: {CUDA_DEVICES}\n")
f.write("="*70 + "\n\n")
# Terminal arguments
f.write("TERMINAL ARGUMENTS & CHECKPOINT:\n")
f.write("-"*70 + "\n")
if terminal_args:
for key, value in terminal_args.items():
if value is not None:
f.write(f" --{key}: {value}\n")
else:
f.write(" (none provided)\n")
f.write("\n")
# Summary table
f.write("EXECUTION SUMMARY:\n")
f.write("-"*70 + "\n")
success_count = sum(1 for r in results if r['success'])
failed_count = len(results) - success_count
f.write(f"β
Successful: {success_count}/{len(results)}\n")
f.write(f"β Failed: {failed_count}/{len(results)}\n")
f.write("\n")
# Individual results
f.write("INDIVIDUAL RESULTS:\n")
f.write("="*70 + "\n\n")
for result in results:
f.write(f"[{result['index'] + 1}] {result['name']}\n")
f.write("-"*70 + "\n")
f.write(f"Script: {result['script']}\n")
f.write(f"CUDA Device: {result['cuda_device']}\n")
f.write(f"Start Time: {result['start_time']}\n")
f.write(f"Duration: {result['duration_seconds']:.2f} seconds ({result['duration_seconds']/60:.1f} minutes)\n")
f.write(f"Status: {'β
SUCCESS' if result['success'] else 'β FAILED'}\n")
if result.get('return_code') is not None:
f.write(f"Return Code: {result['return_code']}\n")
if result.get('error'):
f.write(f"Error: {result['error']}\n")
f.write(f"Output Dir: {result['output_dir']}\n")
f.write(f"Log File: {result['log_file']}\n")
f.write(f"Command: {result['command']}\n")
f.write("\n")
f.write("="*70 + "\n")
f.write("END OF MASTER LOG\n")
f.write("="*70 + "\n")
def print_summary(self, results: List[Dict], overall_duration: float):
"""Print final summary to console."""
print(f"\n{'='*70}")
print(f"π FINAL SUMMARY")
print(f"{'='*70}")
success_count = sum(1 for r in results if r['success'])
failed_count = len(results) - success_count
print(f"β
Successful: {success_count}/{len(results)}")
print(f"β Failed: {failed_count}/{len(results)}")
print(f"β±οΈ Total Duration: {overall_duration:.2f} seconds ({overall_duration/60:.1f} minutes)")
print(f"π Results Directory: {self.run_dir}")
print(f"π Master Log: {self.master_log}")
print(f"{'='*70}\n")
if failed_count > 0:
print("Failed evaluations:")
for result in results:
if not result['success']:
print(f" β {result['name']}")
print(f" Log: {result['log_file']}")
print()
def main():
parser = argparse.ArgumentParser(
description='Run multiple evaluation scripts with organized logging',
formatter_class=argparse.RawDescriptionHelpFormatter,
epilog="""
Examples:
# Run all evaluations sequentially, automatically finding the best checkpoint
python run_evaluations.py
# Run with a specific checkpoint for all evaluations
python run_evaluations.py --checkpoint_path /path/to/checkpoint-640
# Run evaluations but disable the automatic checkpoint finder
python run_evaluations.py --no-find-best-checkpoint
# Run 2 evaluations in parallel on GPUs 2 and 3
python run_evaluations.py --parallel 2
"""
)
# Orchestrator-specific arguments
parser.add_argument('--parallel', type=int, default=DEFAULT_PARALLEL_COUNT,
help=f'Number of scripts to run in parallel (default: {DEFAULT_PARALLEL_COUNT})')
parser.add_argument('--output_dir', type=str, default=ORCHESTRATOR_OUTPUT_DIR,
help=f'Output directory for orchestrator results (default: {ORCHESTRATOR_OUTPUT_DIR})')
parser.add_argument('--no_realtime', action='store_true',
help='Disable real-time log streaming to console (logs still written to files)')
# Path override arguments
parser.add_argument('--raw_model_path', type=str, default=None,
help=f'Override RAW_MODEL_PATH (default: {RAW_MODEL_PATH})')
parser.add_argument('--training_dir', type=str, default=None,
help=f'Override TRAINING_DIR (default: {TRAINING_DIR})')
parser.add_argument('--base_output_dir', type=str, default=None,
help=f'Override BASE_OUTPUT_DIR (default: {BASE_OUTPUT_DIR})')
# Common evaluation arguments
parser.add_argument('--max_samples', type=int, default=None,
help='Maximum number of samples to evaluate')
parser.add_argument('--cuda_device', type=str, default=None,
help='CUDA device (only used if parallel=1, otherwise cycles through CUDA_DEVICES)')
parser.add_argument('--batch_size', type=int, default=None,
help='Batch size for evaluation')
parser.add_argument('--split', type=str, default=None,
choices=['train', 'test', 'validation'],
help='Dataset split to use')
parser.add_argument('--skip_raw', action='store_true',
help='Skip raw model evaluation')
parser.add_argument('--skip_finetuned', action='store_true',
help='Skip fine-tuned model evaluation')
parser.add_argument('--checkpoint_path', type=str, default=None,
help='Path to a specific checkpoint. Overrides automatic finding.')
parser.add_argument('--checkpoint_dir', type=str, default=None,
help='Path to directory containing checkpoints')
parser.add_argument('--no-find-best-checkpoint', action='store_false', dest='find_best_checkpoint',
help='Disable the automatic best checkpoint finding logic.')
args = parser.parse_args()
# Extract terminal arguments
terminal_args = {
'max_samples': args.max_samples,
'cuda_device': args.cuda_device,
'batch_size': args.batch_size,
'split': args.split,
'skip_raw': args.skip_raw,
'skip_finetuned': args.skip_finetuned,
'checkpoint_path': args.checkpoint_path,
'checkpoint_dir': args.checkpoint_dir,
}
# Clean out any arguments that were not provided
terminal_args = {k: v for k, v in terminal_args.items() if v is not None}
# Create orchestrator and run
orchestrator = EvaluationOrchestrator(
args.output_dir,
args.parallel,
args.raw_model_path,
args.training_dir,
args.base_output_dir,
realtime_logs=not args.no_realtime
)
results = orchestrator.run_all_evaluations(terminal_args, args.find_best_checkpoint)
# Exit with error code if any evaluation failed
failed_count = sum(1 for r in results if not r['success'])
sys.exit(1 if failed_count > 0 else 0)
if __name__ == '__main__':
main()
|