File size: 13,065 Bytes
e237b29 6b42202 e237b29 6b42202 6b33a99 8ba18cc 6b42202 e237b29 e7399a2 c70b4e1 a27678b 6b33a99 76a807b a27678b e237b29 76a807b a27678b e237b29 6b42202 a27678b df3617f 6b42202 df3617f 6b42202 b92ba43 6b42202 af78f21 3231a89 af78f21 3c42a8b c3988f7 abe6fa2 8431751 6e97d60 af78f21 815346d e7399a2 88cee70 6b42202 8247053 6b42202 036bb33 8247053 0f6d44a cd69066 6b42202 3a00281 203c9b1 6b42202 a27678b 6b42202 a27678b e237b29 a27678b b8760fa c2772c6 b8760fa 9a9b1e2 3a00281 fd6e2a3 3a00281 fd6e2a3 203c9b1 3a00281 fd6e2a3 203c9b1 3a00281 a27678b 203c9b1 a27678b 3a00281 a27678b e237b29 3a00281 fd6e2a3 203c9b1 e237b29 3a00281 6b42202 e237b29 44fb1b0 e237b29 e48d52b 6b42202 b92ba43 6b42202 e237b29 efb5dcd f466e9a 6b42202 e237b29 8ba18cc d8739ac ec67db1 4949145 | 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 | import os
import gradio as gr
import pandas as pd
import numpy as np
import matplotlib.pyplot as plt
import shap
import lime.lime_tabular
import optuna
import wandb
import json
import time
import psutil
import shutil
import ast
from smolagents import HfApiModel, CodeAgent
from huggingface_hub import login
from sklearn.model_selection import train_test_split, cross_val_score
from sklearn.metrics import accuracy_score, precision_score, recall_score, f1_score
from sklearn.metrics import ConfusionMatrixDisplay
from sklearn.ensemble import RandomForestClassifier, GradientBoostingClassifier
from sklearn.linear_model import LogisticRegression
from sklearn.preprocessing import LabelEncoder
from PIL import Image
# Authenticate with Hugging Face
hf_token = os.getenv("HF_TOKEN")
login(token=hf_token)
# SmolAgent initialization
model = HfApiModel("mistralai/Mixtral-8x7B-Instruct-v0.1", token=hf_token)
df_global = None
def clean_data(df):
df = df.dropna(how='all', axis=1).dropna(how='all', axis=0)
for col in df.select_dtypes(include='object').columns:
df[col] = df[col].astype(str)
df[col] = LabelEncoder().fit_transform(df[col])
df = df.fillna(df.mean(numeric_only=True))
return df
def upload_file(file):
global df_global
if file is None:
return pd.DataFrame({"Error": ["No file uploaded."]})
ext = os.path.splitext(file.name)[-1]
df = pd.read_csv(file.name) if ext == ".csv" else pd.read_excel(file.name)
df = clean_data(df)
df_global = df
return df.head()
def format_analysis_report(raw_output, visuals):
try:
if isinstance(raw_output, dict):
analysis_dict = raw_output
else:
try:
analysis_dict = ast.literal_eval(str(raw_output))
except (SyntaxError, ValueError) as e:
print(f"Error parsing CodeAgent output: {e}")
return str(raw_output), visuals # Return raw output as string
report = f"""
<div style="font-family: Arial, sans-serif; padding: 20px; color: #333;">
<h1 style="color: #2B547E; border-bottom: 2px solid #2B547E; padding-bottom: 10px;">📊 Data Analysis Report</h1>
<div style="margin-top: 25px; background: #f8f9fa; padding: 20px; border-radius: 8px;">
<h2 style="color: #2B547E;">🔍 Key Observations</h2>
{format_observations(analysis_dict.get('observations', {}))}
</div>
<div style="margin-top: 30px;">
<h2 style="color: #2B547E;">💡 Insights & Visualizations</h2>
{format_insights(analysis_dict.get('insights', {}), visuals)}
</div>
</div>
"""
return report, visuals
except Exception as e:
print(f"Error in format_analysis_report: {e}")
return str(raw_output), visuals
def format_observations(observations):
return '\n'.join([
f"""
<div style="margin: 15px 0; padding: 15px; background: white; border-radius: 8px; box-shadow: 0 2px 4px rgba(0,0,0,0.05);">
<h3 style="margin: 0 0 10px 0; color: #4A708B;">{key.replace('_', ' ').title()}</h3>
<pre style="margin: 0; padding: 10px; background: #f8f9fa; border-radius: 4px;">{value}</pre>
</div>
""" for key, value in observations.items() if 'proportions' in key
])
def format_insights(insights, visuals):
return '\n'.join([
f"""
<div style="margin: 20px 0; padding: 20px; background: white; border-radius: 8px; box-shadow: 0 2px 4px rgba(0,0,0,0.05);">
<div style="display: flex; align-items: center; gap: 10px;">
<div style="background: #2B547E; color: white; width: 30px; height: 30px; border-radius: 50%; display: flex; align-items: center; justify-content: center;">{idx+1}</div>
<p style="margin: 0; font-size: 16px;">{insight}</p>
</div>
{f'<img src="/file={visuals[idx]}" style="max-width: 100%; height: auto; margin-top: 10px; border-radius: 6px; box-shadow: 0 2px 4px rgba(0,0,0,0.1);">' if idx < len(visuals) else ''}
</div>
""" for idx, (key, insight) in enumerate(insights.items())
])
def analyze_data(csv_file, additional_notes=""):
start_time = time.time()
process = psutil.Process(os.getpid())
initial_memory = process.memory_info().rss / 1024 ** 2
if os.path.exists('./figures'):
shutil.rmtree('./figures')
os.makedirs('./figures', exist_ok=True)
wandb.login(key=os.environ.get('WANDB_API_KEY'))
run = wandb.init(project="huggingface-data-analysis", config={
"model": "mistralai/Mixtral-8x7B-Instruct-v0.1",
"additional_notes": additional_notes,
"source_file": csv_file.name if csv_file else None
})
agent = CodeAgent(tools=[], model=model, additional_authorized_imports=["numpy", "pandas", "matplotlib.pyplot", "seaborn", "sklearn", "json"])
analysis_result = agent.run("""
You are a helpful data analysis agent. Just return insight information and visualization.
Load the data that is passed.do not create your own.
Automatically detect numeric columns and names.
2. 5 data visualizations
3. at least 5 insights from data
5. Generate publication-quality visualizations and save to './figures/'.
Do not use 'open()' or write to files. Just return variables and plots.
The dictionary should have the following structure:
{
'observations': {
'observation_1_key': 'observation_1_value',
'observation_2_key': 'observation_2_value',
...
},
'insights': {
'insight_1_key': 'insight_1_value',
'insight_2_key': 'insight_2_value',
...
}
}
""", additional_args={"additional_notes": additional_notes, "source_file": csv_file})
execution_time = time.time() - start_time
final_memory = process.memory_info().rss / 1024 ** 2
memory_usage = final_memory - initial_memory
wandb.log({"execution_time_sec": execution_time, "memory_usage_mb": memory_usage})
visuals = [os.path.join('./figures', f) for f in os.listdir('./figures') if f.endswith(('.png', '.jpg', '.jpeg'))]
for viz in visuals:
wandb.log({os.path.basename(viz): wandb.Image(viz)})
run.finish()
return format_analysis_report(analysis_result, visuals)
def compare_models():
if df_global is None:
return "Please upload and preprocess a dataset first."
target = df_global.columns[-1]
X = df_global.drop(target, axis=1)
y = df_global[target]
if y.dtype == 'object':
y = LabelEncoder().fit_transform(y)
models = {
"RandomForest": RandomForestClassifier(),
"LogisticRegression": LogisticRegression(max_iter=1000),
"SVC": SVC()
}
results = []
for name, model in models.items():
scores = cross_val_score(model, X, y, cv=5)
results.append({
"Model": name,
"CV Mean Accuracy": np.mean(scores),
"CV Std Dev": np.std(scores)
})
wandb.log({f"{name}_cv_mean": np.mean(scores), f"{name}_cv_std": np.std(scores)})
results_df = pd.DataFrame(results)
return results_df
def train_model(_):
try:
wandb.login(key=os.environ.get("WANDB_API_KEY"))
run_counter = 1
wandb_run = wandb.init(
project="huggingface-data-analysis",
name=f"Optuna_Run_{run_counter}",
reinit=True
)
run_counter += 1
X_train, X_test, y_train, y_test = prepare_data(df_global)
def objective(trial):
params = {
"n_estimators": trial.suggest_int("n_estimators", 50, 200),
"max_depth": trial.suggest_int("max_depth", 3, 10),
}
model = RandomForestClassifier(**params)
score = cross_val_score(model, X_train, y_train, cv=3).mean()
wandb.log({**params, "cv_score": score})
return score
study = optuna.create_study(direction="maximize")
study.optimize(objective, n_trials=15)
best_params = study.best_params
model = RandomForestClassifier(**best_params)
model.fit(X_train, y_train)
y_pred = model.predict(X_test)
metrics = {
"accuracy": accuracy_score(y_test, y_pred),
"precision": precision_score(y_test, y_pred, average="weighted", zero_division=0),
"recall": recall_score(y_test, y_pred, average="weighted", zero_division=0),
"f1_score": f1_score(y_test, y_pred, average="weighted", zero_division=0),
}
wandb.log(metrics)
wandb_run.finish()
# Top 7 trials
top_trials = sorted(study.trials, key=lambda x: x.value, reverse=True)[:7]
trial_rows = []
for t in top_trials:
row = t.params.copy()
row["score"] = t.value
trial_rows.append(row)
trials_df = pd.DataFrame(trial_rows)
return metrics, trials_df
except Exception as e:
print(f"Training Error: {e}")
return {}, pd.DataFrame()
def explainability(_):
import warnings
warnings.filterwarnings("ignore")
target = df_global.columns[-1]
X = df_global.drop(target, axis=1)
y = df_global[target]
if y.dtype == "object":
y = LabelEncoder().fit_transform(y)
X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.2)
model = RandomForestClassifier()
model.fit(X_train, y_train)
explainer = shap.TreeExplainer(model)
shap_values = explainer.shap_values(X_test)
try:
if isinstance(shap_values, list):
class_idx = 0
sv = shap_values[class_idx]
else:
sv = shap_values
# Ensure 2D input shape for SHAP plot
if len(sv.shape) > 2:
sv = sv.reshape(sv.shape[0], -1) # Flatten any extra dimensions
# Use safe feature names if mismatch, fallback to dummy
num_features = sv.shape[1]
if num_features <= X_test.shape[1]:
feature_names = X_test.columns[:num_features]
else:
feature_names = [f"Feature_{i}" for i in range(num_features)]
X_shap_safe = pd.DataFrame(np.zeros_like(sv), columns=feature_names)
shap.summary_plot(sv, X_shap_safe, show=False)
shap_path = "./shap_plot.png"
plt.title("SHAP Summary")
plt.savefig(shap_path)
if wandb.run:
wandb.log({"shap_summary": wandb.Image(shap_path)})
plt.clf()
except Exception as e:
shap_path = "./shap_error.png"
print("SHAP plotting failed:", e)
plt.figure(figsize=(6, 3))
plt.text(0.5, 0.5, f"SHAP Error:\n{str(e)}", ha='center', va='center')
plt.axis('off')
plt.savefig(shap_path)
if wandb.run:
wandb.log({"shap_error": wandb.Image(shap_path)})
plt.clf()
# LIME
lime_explainer = lime.lime_tabular.LimeTabularExplainer(
X_train.values,
feature_names=X_train.columns.tolist(),
class_names=[str(c) for c in np.unique(y_train)],
mode='classification'
)
lime_exp = lime_explainer.explain_instance(X_test.iloc[0].values, model.predict_proba)
lime_fig = lime_exp.as_pyplot_figure()
lime_path = "./lime_plot.png"
lime_fig.savefig(lime_path)
if wandb.run:
wandb.log({"lime_explanation": wandb.Image(lime_path)})
plt.clf()
return shap_path, lime_path
with gr.Blocks() as demo:
gr.Markdown("## 📊 AI-Powered Data Analysis with Hyperparameter Optimization")
with gr.Row():
with gr.Column():
file_input = gr.File(label="Upload CSV or Excel", type="filepath")
df_output = gr.DataFrame(label="Cleaned Data Preview")
file_input.change(fn=upload_file, inputs=file_input, outputs=df_output)
with gr.Column():
insights_output = gr.HTML(label="Insights from SmolAgent")
visual_output = gr.Gallery(label="Visualizations (Auto-generated by Agent)", columns=2)
agent_btn = gr.Button("Run AI Agent (5 Insights + 5 Visualizations)")
with gr.Row():
train_btn = gr.Button("Train Model with Optuna + WandB")
metrics_output = gr.JSON(label="Performance Metrics")
trials_output = gr.DataFrame(label="Top 7 Hyperparameter Trials")
with gr.Row():
explain_btn = gr.Button("SHAP + LIME Explainability")
shap_img = gr.Image(label="SHAP Summary Plot")
lime_img = gr.Image(label="LIME Explanation")
agent_btn.click(fn=analyze_data, inputs=[file_input], outputs=[insights_output, visual_output])
train_btn.click(fn=train_model, inputs=[file_input], outputs=[metrics_output, trials_output])
explain_btn.click(fn=explainability, inputs=[], outputs=[shap_img, lime_img])
demo.launch(debug=True) |