Spaces:
Sleeping
Sleeping
File size: 10,766 Bytes
0cb14f5 9244b7e 0cb14f5 9244b7e 0cb14f5 9244b7e 0cb14f5 9244b7e 0cb14f5 9244b7e 0cb14f5 9244b7e 0cb14f5 9c720d9 0cb14f5 9c720d9 0cb14f5 9244b7e 9c720d9 9244b7e 0cb14f5 9244b7e 0cb14f5 9244b7e 0cb14f5 9244b7e 0cb14f5 | 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 | import os
import pandas as pd
import mlflow
import shutil
import logging
import time
import threading
from src.mlflow_utils import safe_set_experiment
from src.onnx_utils import export_to_onnx
logger = logging.getLogger(__name__)
def train_model(train_data: pd.DataFrame, target: str, run_name: str,
valid_data: pd.DataFrame = None, test_data: pd.DataFrame = None,
time_limit: int = 60, presets: str = 'medium_quality', seed: int = 42, cv_folds: int = 0,
stop_event=None, task_type: str = "Classification", telemetry_queue=None):
"""
Trains an AutoGluon model and logs results to MLflow using generic artifact logging.
Supports both Tabular data and Computer Vision tasks (via MultiModalPredictor).
"""
is_cv_task = task_type and task_type.startswith("Computer Vision")
is_segmentation = task_type == "Computer Vision - Image Segmentation"
is_multilabel = task_type == "Computer Vision - Multi-Label Classification"
if is_cv_task:
from autogluon.multimodal import MultiModalPredictor
def build_image_df(path_df):
if path_df is None or "Image_Directory" not in path_df.columns:
return path_df
img_dir = path_df.iloc[0]["Image_Directory"]
data = []
for root, _, files in os.walk(img_dir):
label = os.path.basename(root)
for file in files:
if file.lower().endswith(('.png', '.jpg', '.jpeg')):
data.append({"image": os.path.join(root, file), target: label})
return pd.DataFrame(data)
train_data = build_image_df(train_data)
valid_data = build_image_df(valid_data)
test_data = build_image_df(test_data)
else:
from autogluon.tabular import TabularPredictor
safe_set_experiment("AutoGluon_Experiments")
# Ensure no leaked runs in this thread
try:
if mlflow.active_run():
mlflow.end_run()
except:
pass
with mlflow.start_run(run_name=run_name, nested=True) as run:
# Data cleaning: drop rows where target is NaN
train_data = train_data.dropna(subset=[target])
# Log parameters
mlflow.log_param("target", target)
mlflow.log_param("time_limit", time_limit)
mlflow.log_param("presets", presets)
mlflow.log_param("seed", seed)
# Output directory for AutoGluon
model_path = os.path.join("models", run_name)
if os.path.exists(model_path):
shutil.rmtree(model_path)
# Clean validation and test formats if present
if valid_data is not None:
if target not in valid_data.columns:
raise ValueError(f"Target column '{target}' not found in Validation data. Make sure it has the same structure as the training dataset.")
valid_data = valid_data.dropna(subset=[target])
mlflow.log_param("has_validation_data", True)
if test_data is not None:
if target not in test_data.columns:
raise ValueError(f"Target column '{target}' not found in Test data. Make sure the test set includes the target variable.")
test_data = test_data.dropna(subset=[target])
mlflow.log_param("has_test_data", True)
if is_cv_task:
mm_fit_args = {"train_data": train_data, "time_limit": time_limit}
if valid_data is not None:
mm_fit_args["tuning_data"] = valid_data
problem_type = None
if is_segmentation:
problem_type = "semantic_segmentation"
elif task_type == "Computer Vision - Object Detection":
problem_type = "object_detection"
mm_presets = "high_quality" if presets in ["best_quality", "high_quality"] else "medium_quality"
predictor = MultiModalPredictor(label=target, problem_type=problem_type, path=model_path).fit(**mm_fit_args, presets=mm_presets)
else:
fit_args = {
"train_data": train_data,
"time_limit": time_limit,
"presets": presets
}
if cv_folds > 0:
fit_args["num_bag_folds"] = cv_folds
if valid_data is not None:
fit_args["tuning_data"] = valid_data
# If bagging is enabled (manually or by presets), we must set use_bag_holdout=True to use separate tuning_data
if cv_folds > 0 or presets in ["best_quality", "high_quality"]:
fit_args["use_bag_holdout"] = True
if is_multilabel:
fit_args["problem_type"] = "multiclass"
mlflow.log_param("is_multilabel", True)
# Streaming updates thread
def _push_ag_telemetry():
while not (stop_event and stop_event.is_set()):
try:
if os.path.exists(model_path):
# AutoGluon sometimes locks the file, so we try-except
from autogluon.tabular import TabularPredictor
try:
temp_predictor = TabularPredictor.load(path=model_path)
lb = temp_predictor.leaderboard(silent=True)
if len(lb) > 0:
best_model = lb.iloc[0]['model']
best_score = lb.iloc[0]['score_val']
if telemetry_queue:
telemetry_queue.put({
"status": "running",
"models_trained": len(lb),
"best_model": best_model,
"best_value": best_score,
"leaderboard_preview": lb.head(5).to_dict(orient='records')
})
except:
pass
except:
pass
time.sleep(10)
if telemetry_queue:
t_telemetry = threading.Thread(target=_push_ag_telemetry, daemon=True)
t_telemetry.start()
predictor = TabularPredictor(label=target, path=model_path).fit(**fit_args)
# Check if cancelled before continuing
if stop_event and stop_event.is_set():
raise StopIteration("Training cancelled by user")
eval_data = test_data if test_data is not None else (valid_data if valid_data is not None else train_data)
if is_cv_task:
scores = predictor.evaluate(eval_data)
best_model_score = scores.get('accuracy', scores.get('roc_auc', 0.0))
mlflow.log_metrics(scores)
leaderboard_path = "leaderboard.csv"
pd.DataFrame([scores]).to_csv(leaderboard_path, index=False)
else:
leaderboard = predictor.leaderboard(eval_data, silent=True)
# Log the best model's score
best_model_score = leaderboard.iloc[0]['score_val']
mlflow.log_metric("best_model_score", best_model_score)
leaderboard_path = "leaderboard.csv"
leaderboard.to_csv(leaderboard_path, index=False)
try:
mlflow.log_artifact(leaderboard_path)
except Exception as e:
logger.warning(f"Failed to log leaderboard artifact: {e}")
finally:
if os.path.exists(leaderboard_path):
os.remove(leaderboard_path)
# Log AutoGluon model directory as a generic artifact
# We use a try-except here because disk space issues frequently occur during artifact copy
try:
mlflow.log_artifacts(model_path, artifact_path="model")
mlflow.log_param("model_type", "autogluon")
# ONNX Export (Best effort for Tabular)
if not is_cv_task:
try:
onnx_path = os.path.join("models", f"ag_{run_name}.onnx")
# AutoGluon Tabular supports ONNX export for some models
# This might require specific dependencies or AG version
# We call our utility which handles AG logic
export_to_onnx(predictor, "autogluon", target, onnx_path, input_sample=train_data[:1])
mlflow.log_artifact(onnx_path, artifact_path="model")
except Exception as e:
logger.warning(f"Failed to export AutoGluon model to ONNX: {e}")
logger.info(f"AutoGluon artifacts logged successfully for {run_name}")
# CRITICAL: Delete local model folder after successful MLflow logging to save disk space
# Only do this if it was logged successfully to the tracking server/local mlruns
if os.path.exists(model_path):
shutil.rmtree(model_path)
logger.info(f"Cleaned up local model folder: {model_path}")
except Exception as e:
logger.error(f"Failed to log model artifacts to MLflow (likely disk space): {e}")
# Do NOT delete model_path here so the user can potentially recover it manually
# if the MLflow log failed.
# Generate and log consumption code sample
try:
from src.code_gen_utils import generate_consumption_code
code_sample = generate_consumption_code("autogluon", run.info.run_id, target)
code_path = "consumption_sample.py"
with open(code_path, "w") as f:
f.write(code_sample)
mlflow.log_artifact(code_path)
if os.path.exists(code_path):
os.remove(code_path)
except Exception as e:
logger.warning(f"Failed to generate consumption code: {e}")
return predictor, run.info.run_id
def load_model_from_mlflow(run_id: str):
"""
Loads a model from MLflow artifacts.
"""
import mlflow
from autogluon.tabular import TabularPredictor
# Download the artifact folder
local_path = mlflow.artifacts.download_artifacts(run_id=run_id, artifact_path="model")
# Load the predictor from the local path
predictor = TabularPredictor.load(local_path)
return predictor
def get_leaderboard(predictor):
return predictor.leaderboard(silent=True)
|