File size: 56,426 Bytes
2987c51 |
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 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 |
#!/usr/bin/env python3
"""
Comprehensive Web Interface for Fine-Tuning and Hosting Mistral Models
Provides an easy-to-use UI for training models and hosting them via API
"""
import gradio as gr
import subprocess
import os
import sys
import json
import signal
import time
import threading
import requests
import shutil
from pathlib import Path
from datetime import datetime
import torch
# Add project paths
BASE_DIR = Path(__file__).parent
MODELS_DIR = BASE_DIR / "models" / "msp"
FT_DIR = MODELS_DIR / "ft"
INFERENCE_DIR = MODELS_DIR / "inference"
API_DIR = MODELS_DIR / "api"
DATASET_DIR = BASE_DIR / "dataset"
UPLOADS_DIR = BASE_DIR / "uploads"
UPLOADS_DIR.mkdir(exist_ok=True)
sys.path.insert(0, str(MODELS_DIR))
sys.path.insert(0, str(FT_DIR))
sys.path.insert(0, str(INFERENCE_DIR))
# Global process trackers
training_process = None
api_process = None
training_log = []
api_log = []
# ==================== UTILITY FUNCTIONS ====================
def get_device_info():
"""Get information about available compute devices"""
info = []
if torch.cuda.is_available():
for i in range(torch.cuda.device_count()):
info.append(f"🎮 GPU {i}: {torch.cuda.get_device_name(i)}")
elif hasattr(torch.backends, "mps") and torch.backends.mps.is_available():
info.append("🍎 Apple Silicon GPU (MPS) detected")
else:
info.append("💻 CPU only (training will be slow)")
return "\n".join(info)
def get_gpu_recommendations():
"""Get GPU-specific training recommendations"""
if not torch.cuda.is_available():
return {
"batch_size": 1,
"max_length": 512,
"info": "⚠️ CPU only - Use minimal settings to avoid memory issues"
}
# Get GPU memory in GB
gpu_memory_gb = torch.cuda.get_device_properties(0).total_memory / (1024**3)
if gpu_memory_gb >= 40: # A100 40GB or similar
return {
"batch_size": 4,
"max_length": 2048,
"lora_r": 32,
"lora_alpha": 64,
"info": f"🚀 High-end GPU ({gpu_memory_gb:.0f}GB) - Recommended for large batches and long sequences"
}
elif gpu_memory_gb >= 24: # RTX 3090/4090 24GB
return {
"batch_size": 2,
"max_length": 1536,
"lora_r": 16,
"lora_alpha": 32,
"info": f"💪 High-capacity GPU ({gpu_memory_gb:.0f}GB) - Good for moderate sequences"
}
elif gpu_memory_gb >= 16: # RTX 4060 Ti 16GB
return {
"batch_size": 2,
"max_length": 1024,
"lora_r": 16,
"lora_alpha": 32,
"info": f"✅ Mid-range GPU ({gpu_memory_gb:.0f}GB) - Suitable for standard training"
}
elif gpu_memory_gb >= 8: # RTX 3060 8GB
return {
"batch_size": 1,
"max_length": 768,
"lora_r": 8,
"lora_alpha": 16,
"info": f"⚡ Entry-level GPU ({gpu_memory_gb:.0f}GB) - Use smaller sequences"
}
else:
return {
"batch_size": 1,
"max_length": 512,
"lora_r": 8,
"lora_alpha": 16,
"info": f"⚠️ Low VRAM GPU ({gpu_memory_gb:.0f}GB) - Use minimal settings"
}
def list_datasets():
"""List available training datasets"""
datasets = []
for ext in ["*.jsonl", "*.json"]:
datasets.extend(str(f) for f in DATASET_DIR.rglob(ext) if "claude" not in str(f))
datasets.extend(str(f) for f in UPLOADS_DIR.rglob(ext))
return datasets if datasets else ["No datasets found"]
def list_models():
"""List available fine-tuned models"""
models = []
# Check in BASE_DIR (semicon-finetuning-scripts directory)
for item in BASE_DIR.iterdir():
if item.is_dir() and "mistral" in item.name.lower() and not item.name.startswith('.'):
models.append(str(item))
# Check in BASE_DIR parent (ftt directory)
ftt_dir = BASE_DIR.parent
for item in ftt_dir.iterdir():
if item.is_dir() and "mistral" in item.name.lower():
models.append(str(item))
# Check in MODELS_DIR
if MODELS_DIR.exists():
for item in MODELS_DIR.iterdir():
if item.is_dir() and "mistral" in item.name.lower():
models.append(str(item))
return sorted(list(set(models))) if models else ["No models found"]
def list_base_models():
"""List available base models for fine-tuning"""
base_models = []
# Add the local base model
local_base = "/workspace/ftt/base_models/Mistral-7B-v0.1"
if Path(local_base).exists():
base_models.append(local_base)
# Add all fine-tuned models (can be used as base for further training)
base_models.extend(list_models())
# Add HuggingFace model IDs
base_models.append("mistralai/Mistral-7B-v0.1")
base_models.append("mistralai/Mistral-7B-Instruct-v0.2")
return base_models if base_models else [local_base]
def check_api_status():
"""Check if API server is running"""
try:
response = requests.get("http://localhost:8000/health", timeout=2)
if response.status_code == 200:
data = response.json()
return True, f"✅ API is running\n🎯 Model: {data.get('model_path', 'Unknown')}\n💻 Device: {data.get('device', 'Unknown')}"
return False, "❌ API returned error"
except requests.exceptions.ConnectionError:
return False, "❌ API is not running"
except Exception as e:
return False, f"❌ Error: {str(e)}"
# ==================== DATASET FUNCTIONS ====================
def process_uploaded_file(file):
"""Handle uploaded dataset file"""
if file is None:
return None, "⚠️ No file uploaded"
try:
# Save uploaded file
filename = Path(file.name).name
timestamp = datetime.now().strftime('%Y%m%d_%H%M%S')
new_filename = f"{timestamp}_{filename}"
save_path = UPLOADS_DIR / new_filename
shutil.copy(file.name, save_path)
return str(save_path), f"✅ File uploaded successfully: {new_filename}"
except Exception as e:
return None, f"❌ Error uploading file: {str(e)}"
def load_huggingface_dataset(dataset_name, split_ratio):
"""Load dataset from HuggingFace and split into train/val/test"""
try:
from datasets import load_dataset
# Load dataset
dataset = load_dataset(dataset_name)
# Get the appropriate split
if "train" in dataset:
data = dataset["train"]
else:
# Use the first available split
split_name = list(dataset.keys())[0]
data = dataset[split_name]
# Calculate split sizes
total_size = len(data)
train_size = int(total_size * split_ratio / 100)
val_size = int(total_size * (100 - split_ratio) / 200)
test_size = total_size - train_size - val_size
# Split dataset
train_data = data.select(range(train_size))
val_data = data.select(range(train_size, train_size + val_size))
test_data = data.select(range(train_size + val_size, total_size))
# Save splits
timestamp = datetime.now().strftime('%Y%m%d_%H%M%S')
output_dir = UPLOADS_DIR / f"hf_{dataset_name.replace('/', '_')}_{timestamp}"
output_dir.mkdir(exist_ok=True)
train_path = output_dir / "train.jsonl"
val_path = output_dir / "val.jsonl"
test_path = output_dir / "test.jsonl"
train_data.to_json(train_path)
val_data.to_json(val_path)
test_data.to_json(test_path)
info = f"✅ Dataset loaded and split successfully!\n"
info += f"📊 Total samples: {total_size}\n"
info += f" • Train: {train_size} samples\n"
info += f" • Validation: {val_size} samples\n"
info += f" • Test: {test_size} samples\n"
info += f"📁 Saved to: {output_dir}"
return str(train_path), info
except Exception as e:
return None, f"❌ Error loading HuggingFace dataset: {str(e)}"
def split_local_dataset(dataset_path, split_ratio):
"""Split local dataset into train/val/test"""
try:
import pandas as pd
from sklearn.model_selection import train_test_split
# Read dataset
if dataset_path.endswith('.jsonl'):
data = pd.read_json(dataset_path, lines=True)
else:
data = pd.read_json(dataset_path)
total_size = len(data)
# Calculate split sizes
train_ratio = split_ratio / 100
val_test_ratio = (100 - split_ratio) / 100
# First split: train vs (val + test)
train_data, temp_data = train_test_split(data, train_size=train_ratio, random_state=42)
# Second split: val vs test (50-50 of remaining)
val_data, test_data = train_test_split(temp_data, train_size=0.5, random_state=42)
# Save splits
dataset_name = Path(dataset_path).stem
timestamp = datetime.now().strftime('%Y%m%d_%H%M%S')
output_dir = UPLOADS_DIR / f"{dataset_name}_split_{timestamp}"
output_dir.mkdir(exist_ok=True)
train_path = output_dir / "train.jsonl"
val_path = output_dir / "val.jsonl"
test_path = output_dir / "test.jsonl"
train_data.to_json(train_path, orient='records', lines=True)
val_data.to_json(val_path, orient='records', lines=True)
test_data.to_json(test_path, orient='records', lines=True)
info = f"✅ Dataset split successfully!\n"
info += f"📊 Total samples: {total_size}\n"
info += f" • Train: {len(train_data)} samples\n"
info += f" • Validation: {len(val_data)} samples\n"
info += f" • Test: {len(test_data)} samples\n"
info += f"📁 Saved to: {output_dir}"
return str(train_path), info
except Exception as e:
return None, f"❌ Error splitting dataset: {str(e)}"
# ==================== TRAINING FUNCTIONS ====================
def start_training(
base_model,
dataset_path,
output_dir,
max_length,
num_epochs,
batch_size,
learning_rate,
lora_r,
lora_alpha
):
"""Start the fine-tuning process"""
global training_process, training_log
if training_process is not None and training_process.poll() is None:
return "⚠️ Training is already running!", "".join(training_log)
# Validate inputs
if not dataset_path or not os.path.exists(dataset_path):
return f"❌ Dataset not found: {dataset_path}", ""
if not output_dir:
output_dir = f"./mistral-finetuned-{datetime.now().strftime('%Y%m%d_%H%M%S')}"
# Create output directory
os.makedirs(output_dir, exist_ok=True)
# Clear HF cache before training to avoid stale file handles
import shutil
import subprocess
cache_dir = Path("/workspace/.hf_home/hub/models--mistralai--Mistral-7B-v0.1")
# Try multiple methods to clear cache
training_log.append("🧹 Clearing HuggingFace cache...\n")
try:
# Method 1: Remove all files first
if cache_dir.exists():
subprocess.run(["find", str(cache_dir), "-type", "f", "-delete"], check=False)
subprocess.run(["find", str(cache_dir), "-type", "d", "-empty", "-delete"], check=False)
# Method 2: Force remove directory
subprocess.run(["rm", "-rf", str(cache_dir)], check=False)
training_log.append("✓ Cache cleared successfully\n")
except Exception as e:
training_log.append(f"⚠️ Cache clear warning (non-critical): {e}\n")
# Build command with unbuffered output
cmd = [
sys.executable,
"-u", # Unbuffered output for real-time logs
str(FT_DIR / "finetune_mistral7b.py"),
"--base-model", base_model,
"--dataset", dataset_path,
"--output-dir", output_dir,
"--max-length", str(max_length),
]
# Save configuration
config = {
"base_model": base_model,
"dataset": dataset_path,
"output_dir": output_dir,
"max_length": max_length,
"num_epochs": num_epochs,
"batch_size": batch_size,
"learning_rate": learning_rate,
"lora_r": lora_r,
"lora_alpha": lora_alpha,
"started_at": datetime.now().isoformat()
}
config_path = os.path.join(output_dir, "training_config.json")
with open(config_path, 'w') as f:
json.dump(config, f, indent=2)
training_log = [f"🚀 Starting training...\n"]
training_log.append(f"📊 Configuration saved to: {config_path}\n")
training_log.append(f"💾 Output directory: {output_dir}\n")
training_log.append(f"📁 Dataset: {dataset_path}\n")
training_log.append(f"🤖 Base model: {base_model}\n")
training_log.append(f"\n{'='*70}\n")
training_log.append(f"Training Command:\n{' '.join(cmd)}\n")
training_log.append(f"{'='*70}\n\n")
# Start training process with environment for unbuffered output
try:
env = os.environ.copy()
env['PYTHONUNBUFFERED'] = '1' # Force unbuffered output
training_process = subprocess.Popen(
cmd,
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT,
universal_newlines=True,
bufsize=1,
env=env
)
# Start log monitoring thread
def monitor_training():
global training_log
for line in training_process.stdout:
training_log.append(line)
if len(training_log) > 1000: # Keep last 1000 lines
training_log = training_log[-1000:]
thread = threading.Thread(target=monitor_training, daemon=True)
thread.start()
return f"✅ Training started!\n📂 Output: {output_dir}", "Initializing training...", "".join(training_log)
except Exception as e:
return f"❌ Error starting training: {str(e)}", "".join(training_log)
def stop_training():
"""Stop the training process"""
global training_process, training_log
if training_process is None or training_process.poll() is not None:
return "⚠️ No training process is running", "Stopped", "".join(training_log)
try:
training_process.terminate()
training_process.wait(timeout=10)
training_log.append("\n\n🛑 Training stopped by user\n")
return "✅ Training stopped", "Stopped by user", "".join(training_log)
except subprocess.TimeoutExpired:
training_process.kill()
training_log.append("\n\n⚠️ Training force-killed\n")
return "⚠️ Training force-killed (did not terminate gracefully)", "Force stopped", "".join(training_log)
except Exception as e:
return f"❌ Error stopping training: {str(e)}", "Error", "".join(training_log)
def get_training_status():
"""Get current training status"""
global training_process, training_log
if training_process is None:
status = "⚪ Not started"
progress = "Ready to start"
elif training_process.poll() is None:
status = "🟢 Running"
# Try to extract progress from logs
log_text = "".join(training_log)
if "epoch" in log_text.lower():
# Extract last epoch info
lines = log_text.split('\n')
for line in reversed(lines):
if 'epoch' in line.lower():
progress = f"Training... {line.strip()}"
break
else:
progress = "Training in progress..."
else:
progress = "Initializing..."
elif training_process.poll() == 0:
status = "✅ Completed successfully"
progress = "Training complete! Check output directory."
else:
status = f"❌ Failed (exit code: {training_process.poll()})"
progress = "Training failed. Check logs for errors."
return status, progress, "".join(training_log)
def refresh_training_log():
"""Refresh training log display"""
global training_log
return "".join(training_log)
# ==================== API HOSTING FUNCTIONS ====================
def start_api_server(model_path, host, port):
"""Start the API server"""
global api_process, api_log
if api_process is not None and api_process.poll() is None:
return "⚠️ API server is already running!", "".join(api_log)
# Check if it's a HuggingFace model (doesn't exist locally)
if not os.path.exists(model_path):
# Assume it's a HuggingFace model ID
api_log = [f"🚀 Starting API server with HuggingFace model...\n"]
api_log.append(f"🤗 HuggingFace Model: {model_path}\n")
else:
api_log = [f"🚀 Starting API server with local model...\n"]
api_log.append(f"💾 Local Model: {model_path}\n")
# Build command
cmd = [
sys.executable,
str(API_DIR / "api_server.py"),
"--model-path", model_path,
"--host", host,
"--port", str(port),
]
api_log.append(f"🌐 Host: {host}\n")
api_log.append(f"🔌 Port: {port}\n")
api_log.append(f"\n{'='*70}\n")
api_log.append(f"Server Command:\n{' '.join(cmd)}\n")
api_log.append(f"{'='*70}\n\n")
try:
api_process = subprocess.Popen(
cmd,
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT,
universal_newlines=True,
bufsize=1
)
# Start log monitoring thread
def monitor_api():
global api_log
for line in api_process.stdout:
api_log.append(line)
if len(api_log) > 500: # Keep last 500 lines
api_log = api_log[-500:]
thread = threading.Thread(target=monitor_api, daemon=True)
thread.start()
# Wait a bit for server to start
time.sleep(3)
is_running, status_msg = check_api_status()
if is_running:
return f"✅ API server started!\n{status_msg}\n\n📡 Access at: http://{host}:{port}\n📚 Docs at: http://{host}:{port}/docs", "".join(api_log)
else:
return f"⚠️ API server started but not responding yet. Check logs.", "".join(api_log)
except Exception as e:
return f"❌ Error starting API server: {str(e)}", "".join(api_log)
def stop_api_server():
"""Stop the API server"""
global api_process, api_log
if api_process is None or api_process.poll() is not None:
return "⚠️ No API server is running", "".join(api_log)
try:
api_process.terminate()
api_process.wait(timeout=10)
api_log.append("\n\n🛑 API server stopped by user\n")
return "✅ API server stopped", "".join(api_log)
except subprocess.TimeoutExpired:
api_process.kill()
api_log.append("\n\n⚠️ API server force-killed\n")
return "⚠️ API server force-killed (did not terminate gracefully)", "".join(api_log)
except Exception as e:
return f"❌ Error stopping API server: {str(e)}", "".join(api_log)
def get_api_status():
"""Get current API status"""
is_running, status_msg = check_api_status()
return status_msg, "".join(api_log)
def refresh_api_log():
"""Refresh API log display"""
global api_log
return "".join(api_log)
# ==================== INFERENCE FUNCTIONS ====================
def test_inference(model_path, prompt, max_length, temperature):
"""Test inference with the model"""
try:
# Check if API is running first
is_running, _ = check_api_status()
if is_running:
# Use API
response = requests.post(
"http://localhost:8000/api/generate",
json={
"prompt": prompt,
"max_length": int(max_length),
"temperature": float(temperature)
},
timeout=120
)
response.raise_for_status()
result = response.json()
return f"✅ Response via API:\n\n{result['response']}"
else:
# Use direct inference
from inference.inference_mistral7b import load_local_model, generate_with_local_model
# Check if it's a local path or HuggingFace model
# Load model regardless of source
model, tokenizer = load_local_model(model_path)
response = generate_with_local_model(
model, tokenizer, prompt,
max_length=int(max_length),
temperature=float(temperature)
)
return f"✅ Response via Direct Inference:\n\n{response}"
except Exception as e:
return f"❌ Error during inference: {str(e)}"
# ==================== UI CREATION ====================
def create_interface():
"""Create the Gradio interface"""
# Get GPU recommendations
gpu_rec = get_gpu_recommendations()
with gr.Blocks(title="Mistral Fine-Tuning & Hosting Interface") as app:
gr.Markdown("# 🚀 Mistral Model Fine-Tuning & Hosting Interface")
gr.Markdown("Complete interface for training and deploying Mistral models")
# Device info and controls
with gr.Row():
with gr.Column(scale=3):
device_info = get_device_info()
gr.Markdown(f"### 💻 System Information\n{device_info}\n\n{gpu_rec['info']}")
with gr.Column(scale=1):
gr.Markdown("### ⚙️ System Controls")
def kill_gradio_server():
"""Kill the Gradio server process"""
import os
import signal
pid = os.getpid()
# Schedule the kill to happen after this function returns
def delayed_kill():
time.sleep(1)
os.kill(pid, signal.SIGTERM)
threading.Thread(target=delayed_kill, daemon=True).start()
return "🛑 Shutting down Gradio server in 1 second...", api_server_status.value
def stop_api_control():
"""Stop API server from control panel"""
status, _ = stop_api_server()
return server_status.value, status
server_status = gr.Textbox(
label="Gradio Server Status",
value="🟢 Running",
interactive=False,
lines=1
)
api_server_status = gr.Textbox(
label="API Server Status",
value="⚪ Not started",
interactive=False,
lines=1
)
with gr.Row():
kill_server_btn = gr.Button("🛑 Shutdown Gradio", variant="stop", scale=1)
stop_api_btn_control = gr.Button("⏹️ Stop API Server", variant="secondary", scale=1)
kill_server_btn.click(
fn=kill_gradio_server,
outputs=[server_status, api_server_status]
)
stop_api_btn_control.click(
fn=stop_api_control,
outputs=[server_status, api_server_status]
)
# Main tabs
with gr.Tabs() as tabs:
# ========== FINE-TUNING TAB ==========
with gr.Tab("🎓 Fine-Tuning"):
gr.Markdown("### Configure and start model fine-tuning")
with gr.Row():
with gr.Column(scale=1):
gr.Markdown("#### Training Configuration")
base_model_input = gr.Dropdown(
label="Base Model (Select existing model or HuggingFace ID)",
choices=list_base_models(),
value=list_base_models()[0] if list_base_models() else "/workspace/ftt/base_models/Mistral-7B-v0.1",
allow_custom_value=True,
info="💡 Select a base model to start from, or a fine-tuned model to continue training"
)
gr.Markdown("#### Dataset Selection")
dataset_source = gr.Radio(
choices=["Local File", "Upload File", "HuggingFace Dataset"],
value="Local File",
label="Dataset Source"
)
# Local file selection
dataset_input = gr.Dropdown(
label="Select Local Dataset",
choices=list_datasets(),
value=list_datasets()[0] if list_datasets()[0] != "No datasets found" else None,
allow_custom_value=True,
visible=True
)
# File upload
dataset_upload = gr.File(
label="Upload Dataset File (JSON/JSONL)",
file_types=[".json", ".jsonl"],
visible=False
)
# HuggingFace dataset
hf_dataset_input = gr.Textbox(
label="HuggingFace Dataset Name",
placeholder="e.g., timdettmers/openassistant-guanaco",
visible=False
)
# Dataset splitting
gr.Markdown("#### Dataset Processing")
split_dataset = gr.Checkbox(
label="Split dataset into train/val/test",
value=False
)
split_ratio = gr.Slider(
label="Training Split % (remaining split equally between val/test)",
minimum=60,
maximum=90,
value=80,
step=5
)
process_dataset_btn = gr.Button("📊 Process Dataset")
dataset_status = gr.Textbox(label="Dataset Status", interactive=False, lines=6)
output_dir_input = gr.Textbox(
label="Output Directory",
value=f"./mistral-finetuned-{datetime.now().strftime('%Y%m%d_%H%M%S')}",
placeholder="Where to save the fine-tuned model"
)
gr.Markdown("#### Training Parameters")
gr.Markdown(f"*💡 GPU-Optimized Defaults: Batch={gpu_rec['batch_size']}, Max Length={gpu_rec['max_length']}, LoRA Rank={gpu_rec.get('lora_r', 16)}*")
gr.Markdown("---")
gr.Markdown("**Sequence & Training Settings**")
with gr.Row():
max_length_input = gr.Slider(
label="Max Sequence Length",
info="📏 Tokens per example | Higher=more context but more memory | Standard: 512-2048 | Your GPU: " + str(gpu_rec['max_length']),
minimum=128,
maximum=6000,
value=gpu_rec['max_length'],
step=128
)
with gr.Row():
num_epochs_input = gr.Slider(
label="Number of Epochs",
info="🔁 Training passes | More=better learning but risk overfitting | Standard: 3-5 | Quick test: 1",
minimum=1,
maximum=10,
value=3,
step=1
)
batch_size_input = gr.Slider(
label="Batch Size",
info="📦 Samples together | Larger=faster but more memory | Your GPU: " + str(gpu_rec['batch_size']) + " | Low VRAM: 1",
minimum=1,
maximum=16,
value=gpu_rec['batch_size'],
step=1
)
with gr.Row():
learning_rate_input = gr.Number(
label="Learning Rate",
info="⚡ Training speed | Typical: 1e-5 to 5e-4 | Lower=stable | Higher=fast | Default: 5e-5",
value=5e-5,
precision=6
)
gr.Markdown("---")
gr.Markdown("**LoRA Configuration** *(Efficient fine-tuning by training small parameter subset)*")
with gr.Row():
lora_r_input = gr.Slider(
label="LoRA Rank (r)",
info="🎯 Adaptation matrix rank | Higher=more capacity/slower | Standard: 8-32 | Your GPU: " + str(gpu_rec.get('lora_r', 16)),
minimum=4,
maximum=64,
value=gpu_rec.get('lora_r', 16),
step=4
)
lora_alpha_input = gr.Slider(
label="LoRA Alpha",
info="⚖️ Scaling factor | Typically 2× rank | Controls adaptation strength | Recommended: " + str(gpu_rec.get('lora_alpha', 32)),
minimum=8,
maximum=128,
value=gpu_rec.get('lora_alpha', 32),
step=8
)
with gr.Row():
start_train_btn = gr.Button("▶️ Start Training", variant="primary")
stop_train_btn = gr.Button("⏹️ Stop Training", variant="stop")
refresh_train_btn = gr.Button("🔄 Refresh Status")
with gr.Column(scale=2):
gr.Markdown("#### Training Status & Logs")
training_status_output = gr.Textbox(
label="Status (Right-click to copy)",
value="⚪ Not started",
interactive=False,
lines=2,
max_lines=3
)
training_progress = gr.Textbox(
label="Progress - Epoch/Loss Info (Right-click to copy)",
value="Ready to start",
interactive=False,
lines=2,
max_lines=3
)
training_log_output = gr.Textbox(
label="Training Logs - Scrollable (Click Refresh to update, Right-click to copy)",
lines=22,
max_lines=22,
interactive=False
)
# Dataset source switching
def update_dataset_visibility(source):
return (
gr.update(visible=(source == "Local File")),
gr.update(visible=(source == "Upload File")),
gr.update(visible=(source == "HuggingFace Dataset"))
)
dataset_source.change(
fn=update_dataset_visibility,
inputs=[dataset_source],
outputs=[dataset_input, dataset_upload, hf_dataset_input]
)
# Dataset processing
def process_dataset(source, local_path, uploaded_file, hf_name, should_split, ratio):
if source == "Upload File":
if uploaded_file is None:
return None, "⚠️ Please upload a file"
path, msg = process_uploaded_file(uploaded_file)
if path and should_split:
path, msg = split_local_dataset(path, ratio)
return path, msg
elif source == "HuggingFace Dataset":
if not hf_name:
return None, "⚠️ Please enter a HuggingFace dataset name"
return load_huggingface_dataset(hf_name, ratio)
else: # Local File
if not local_path or local_path == "No datasets found":
return None, "⚠️ Please select a dataset"
if should_split:
return split_local_dataset(local_path, ratio)
return local_path, f"✅ Using existing dataset: {local_path}"
process_dataset_btn.click(
fn=process_dataset,
inputs=[dataset_source, dataset_input, dataset_upload, hf_dataset_input, split_dataset, split_ratio],
outputs=[dataset_input, dataset_status]
)
# Connect training buttons
start_train_btn.click(
fn=start_training,
inputs=[
base_model_input, dataset_input, output_dir_input,
max_length_input, num_epochs_input, batch_size_input,
learning_rate_input, lora_r_input, lora_alpha_input
],
outputs=[training_status_output, training_progress, training_log_output]
)
stop_train_btn.click(
fn=stop_training,
outputs=[training_status_output, training_progress, training_log_output]
)
refresh_train_btn.click(
fn=get_training_status,
outputs=[training_status_output, training_progress, training_log_output]
)
# ========== API HOSTING TAB ==========
with gr.Tab("🌐 API Hosting"):
gr.Markdown("### Start and manage API server for model inference")
with gr.Row():
with gr.Column(scale=1):
gr.Markdown("#### Server Configuration")
api_model_source = gr.Radio(
choices=["Local Model", "HuggingFace Model"],
value="Local Model",
label="Model Source"
)
api_model_input = gr.Dropdown(
label="Select Local Model",
choices=list_models(),
value=list_models()[0] if list_models()[0] != "No models found" else None,
allow_custom_value=True
)
api_hf_model_input = gr.Textbox(
label="HuggingFace Model ID",
placeholder="e.g., mistralai/Mistral-7B-v0.1 or your-username/your-model",
visible=False
)
api_host_input = gr.Textbox(
label="Host",
value="0.0.0.0",
placeholder="0.0.0.0 for all interfaces"
)
api_port_input = gr.Number(
label="Port",
value=8000,
precision=0
)
with gr.Row():
start_api_btn = gr.Button("▶️ Start Server", variant="primary")
stop_api_btn = gr.Button("⏹️ Stop Server", variant="stop")
refresh_api_btn = gr.Button("🔄 Refresh Status")
api_status_output = gr.Textbox(
label="Server Status",
value="⚪ Not started",
interactive=False,
lines=5
)
with gr.Column(scale=2):
gr.Markdown("#### Server Logs")
api_log_output = gr.Textbox(
label="API Server Logs",
lines=35,
max_lines=35,
interactive=False
)
# Model source switching
def update_api_model_visibility(source):
return (
gr.update(visible=(source == "Local Model")),
gr.update(visible=(source == "HuggingFace Model"))
)
api_model_source.change(
fn=update_api_model_visibility,
inputs=[api_model_source],
outputs=[api_model_input, api_hf_model_input]
)
# API server buttons
def start_api_wrapper(source, local_model, hf_model, host, port):
model_path = hf_model if source == "HuggingFace Model" else local_model
if not model_path:
return "⚠️ Please select or enter a model", ""
return start_api_server(model_path, host, port)
start_api_btn.click(
fn=start_api_wrapper,
inputs=[api_model_source, api_model_input, api_hf_model_input, api_host_input, api_port_input],
outputs=[api_status_output, api_log_output]
)
stop_api_btn.click(
fn=stop_api_server,
outputs=[api_status_output, api_log_output]
)
refresh_api_btn.click(
fn=get_api_status,
outputs=[api_status_output, api_log_output]
)
# ========== INFERENCE TAB ==========
with gr.Tab("🧪 Test Inference"):
gr.Markdown("### Test your fine-tuned models")
gr.Markdown("💡 The interface will use the API if it's running, otherwise it will load the model directly")
with gr.Row():
with gr.Column(scale=1):
inference_model_source = gr.Radio(
choices=["Local Model", "HuggingFace Model"],
value="Local Model",
label="Model Source"
)
inference_model_input = gr.Dropdown(
label="Select Local Model",
choices=list_models(),
value=list_models()[0] if list_models()[0] != "No models found" else None,
allow_custom_value=True
)
inference_hf_model_input = gr.Textbox(
label="HuggingFace Model ID",
placeholder="e.g., mistralai/Mistral-7B-v0.1",
visible=False
)
gr.Markdown("#### Prompt Configuration")
inference_system_instruction = gr.Textbox(
label="System Instruction (Pre-filled, editable)",
lines=4,
value="You are Elinnos RTL Code Generator v1.0, a specialized Verilog/SystemVerilog code generation agent. Your role: Generate clean, synthesizable RTL code for hardware design tasks. Output ONLY functional RTL code with no $display, assertions, comments, or debug statements.",
info="💡 This is pre-filled with your model's training format. Edit if needed."
)
inference_user_prompt = gr.Textbox(
label="User Prompt (Your request)",
lines=3,
placeholder="Example: Generate a synchronous FIFO with 8-bit data width, depth 4, write_enable, read_enable, full flag, empty flag.",
value=""
)
gr.Markdown("#### Generation Parameters")
with gr.Row():
inference_max_length = gr.Slider(
label="Max Length",
info="Maximum tokens to generate. Higher = longer responses but slower",
minimum=128,
maximum=6000,
value=512,
step=128
)
inference_temperature = gr.Slider(
label="Temperature",
info="Creativity control: 0.1=focused/deterministic, 1.0=creative/random",
minimum=0.1,
maximum=2.0,
value=0.7,
step=0.1
)
inference_btn = gr.Button("🚀 Generate", variant="primary")
with gr.Column(scale=2):
inference_output = gr.Textbox(
label="Generated Response",
lines=30,
interactive=False
)
# Model source switching
def update_inference_model_visibility(source):
return (
gr.update(visible=(source == "Local Model")),
gr.update(visible=(source == "HuggingFace Model"))
)
inference_model_source.change(
fn=update_inference_model_visibility,
inputs=[inference_model_source],
outputs=[inference_model_input, inference_hf_model_input]
)
# Inference
def test_inference_wrapper(source, local_model, hf_model, system_instruction, user_prompt, max_len, temp):
model_path = hf_model if source == "HuggingFace Model" else local_model
if not model_path:
return "⚠️ Please select or enter a model"
# Combine system instruction and user prompt
full_prompt = f"{system_instruction}\n\nUser:\n{user_prompt}"
return test_inference(model_path, full_prompt, max_len, temp)
inference_btn.click(
fn=test_inference_wrapper,
inputs=[inference_model_source, inference_model_input, inference_hf_model_input,
inference_system_instruction, inference_user_prompt, inference_max_length, inference_temperature],
outputs=inference_output
)
# ========== DOCUMENTATION TAB ==========
with gr.Tab("📚 Documentation"):
gr.Markdown("""
## 📖 User Guide
### 🎓 Fine-Tuning
#### Dataset Options
**1. Local File**: Select from existing datasets in the workspace
- Use datasets already present in the `dataset/` directory
**2. Upload File**: Upload your own dataset file
- Supported formats: JSON, JSONL
- Files are saved to `uploads/` directory
**3. HuggingFace Dataset**: Load from HuggingFace Hub
- Enter dataset name (e.g., `timdettmers/openassistant-guanaco`)
- Automatically downloaded and processed
#### Dataset Processing
- **Split Dataset**: Automatically split into train/validation/test sets
- **Split Ratio**: Control train percentage (default 80%)
- Remaining data split equally between validation and test
#### Training Parameters Explained
**Max Sequence Length**
- Number of tokens (words/subwords) per training example
- Higher = more context but requires more GPU memory
- Standard: 512-2048, Maximum: 6000 (for long documents)
- **Recommendation**: Start with GPU-recommended value
**Number of Epochs**
- How many complete passes through your dataset
- More epochs = better learning but risk overfitting
- Standard: 3-5 epochs
- Watch training loss to avoid overfitting
**Batch Size**
- Number of examples processed simultaneously
- Larger = faster training but more memory
- Limited by your GPU memory
- **GPU-based recommendations provided automatically**
**Learning Rate**
- Controls how quickly the model adapts
- Too high = unstable training, too low = slow convergence
- Standard: 1e-5 to 5e-4
- Default 5e-5 works well for most cases
**LoRA Rank (r)**
- Rank of low-rank adaptation matrices
- Higher = more model capacity but slower training
- Standard: 8-32
- Use lower values for smaller datasets
**LoRA Alpha**
- Scaling factor for LoRA updates
- Typically set to 2× the rank
- Controls strength of fine-tuning adaptations
### 🌐 API Hosting
#### Model Sources
**Local Model**: Models saved on your machine
- Fine-tuned models from training
- Downloaded HuggingFace models
**HuggingFace Model**: Direct from HuggingFace Hub
- Enter model ID (e.g., `mistralai/Mistral-7B-v0.1`)
- No need to download first
- Automatically cached after first use
#### API Endpoints
Once running, access these endpoints:
- **Generate**: `POST http://localhost:8000/api/generate`
- **Health**: `GET http://localhost:8000/health`
- **Docs**: `http://localhost:8000/docs` (Interactive API docs)
### 🧪 Testing Inference
#### Model Selection
- **Local Model**: Use models from your filesystem
- **HuggingFace Model**: Test any model from HuggingFace Hub
#### Generation Parameters
**Max Length**
- Maximum number of tokens to generate
- Higher = longer responses but slower generation
- Balance between quality and speed
- Typical: 256-1024 for most tasks
**Temperature**
- Controls randomness in generation
- **0.1-0.3**: Very focused, deterministic (good for factual tasks)
- **0.5-0.7**: Balanced creativity (default, recommended)
- **0.8-1.0**: Creative, diverse outputs
- **1.0+**: Very random (experimental, often incoherent)
### 💡 Tips & Best Practices
#### GPU Memory Management
- **Out of Memory?** Reduce batch size or max sequence length
- Monitor GPU usage with `nvidia-smi`
- Use gradient checkpointing for very long sequences
#### Training Tips
- **Start Small**: Test with a small subset first
- **Monitor Loss**: Should decrease steadily
- **Early Stopping**: Stop if validation loss increases
- **Save Checkpoints**: Training saves to output directory
#### Dataset Quality
- **Format Consistency**: Ensure all examples follow the same format
- **Quality over Quantity**: 1000 good examples > 10000 poor ones
- **Diverse Examples**: Cover different aspects of your task
#### Model Selection
- **Base Model**: Start with Mistral-7B-v0.1 (good balance)
- **Fine-tuned Models**: Use domain-specific if available
- **Test First**: Always test inference before production
### 🔧 Dataset Format
Your training data should be in JSONL format (one JSON object per line):
**Format 1: Instruction-Response**
```json
{"instruction": "Your question or task", "response": "Expected answer"}
```
**Format 2: Prompt-Completion**
```json
{"prompt": "Your question", "completion": "Expected answer"}
```
**Format 3: Chat Format**
```json
{"messages": [
{"role": "user", "content": "Question"},
{"role": "assistant", "content": "Answer"}
]}
```
### 🚨 Troubleshooting
**Training Issues**
- **Out of Memory**: Reduce batch size, max sequence length, or LoRA rank
- **Slow Training**: Check GPU utilization, ensure CUDA is available
- **NaN Loss**: Reduce learning rate or check data quality
- **No Improvement**: Increase epochs, learning rate, or dataset size
**API Issues**
- **Server Won't Start**: Check if port is already in use
- **Connection Refused**: Ensure firewall allows the port
- **Slow Inference**: Model loading can take time on first request
- **Out of Memory**: Model too large for GPU, use smaller model or CPU
**Model Issues**
- **Model Not Found**: Verify path or HuggingFace model ID
- **Poor Quality**: May need more training data or epochs
- **Inconsistent Output**: Adjust temperature or use lower value
### 📊 Performance Benchmarks
**GPU Memory Requirements (Mistral-7B)**
- Training (LoRA): ~12-16GB VRAM
- Inference: ~8-10GB VRAM
- Batch size 1: minimum required
- Batch size 4: optimal on 40GB GPU
**Training Speed (A100 40GB)**
- ~5000 tokens/second
- 10k examples: ~30-60 minutes
- Depends on sequence length and batch size
### 🔄 Recent Updates
**v2.0 Features**
- ✅ File upload for datasets
- ✅ HuggingFace dataset integration
- ✅ Automatic dataset splitting (train/val/test)
- ✅ Extended max sequence length to 6000 tokens
- ✅ GPU-specific parameter recommendations
- ✅ HuggingFace model support for API hosting
- ✅ HuggingFace model support for inference
- ✅ Enhanced parameter tooltips and descriptions
- ✅ Public URL sharing enabled
- ✅ Improved documentation
### 📞 Support
For issues or questions:
- Check logs for error messages
- Verify GPU availability and memory
- Ensure all dependencies are installed
- Review dataset format and quality
""")
# Note: Auto-refresh can be enabled with gr.Timer in newer Gradio versions
# For now, use the manual refresh buttons to update logs
return app
# ==================== MAIN ====================
def main():
"""Launch the application"""
print("=" * 70)
print("🚀 Mistral Fine-Tuning & Hosting Interface v2.0")
print("=" * 70)
print(f"\n💻 System Information:")
print(get_device_info())
gpu_rec = get_gpu_recommendations()
print(f"\n{gpu_rec['info']}")
print(f"\n📁 Base Directory: {BASE_DIR}")
print(f"📊 Available Datasets: {len(list_datasets())}")
print(f"🤖 Available Models: {len(list_models())}")
print("\n" + "=" * 70)
print("🌐 Starting web interface...")
print("=" * 70 + "\n")
app = create_interface()
app.launch(
server_name="0.0.0.0",
server_port=7860,
share=True,
show_error=True
)
if __name__ == "__main__":
main()
|