Spaces:
Sleeping
Sleeping
File size: 18,302 Bytes
f1718f3 55cdb7e f1718f3 1a584f9 eeeaee6 1a584f9 9d508e3 f1718f3 a32e584 f1718f3 a32e584 1a584f9 eeeaee6 a32e584 f1718f3 9d508e3 f1718f3 9d508e3 a32e584 9d508e3 a32e584 9d508e3 a32e584 f1718f3 9d508e3 f1718f3 9d508e3 f1718f3 a32e584 55cdb7e 9d508e3 55cdb7e a32e584 55cdb7e a32e584 55cdb7e a32e584 f1718f3 a32e584 f1718f3 a32e584 f1718f3 a32e584 f1718f3 55cdb7e a32e584 55cdb7e 07d23c4 a32e584 07d23c4 eeeaee6 f1718f3 07d23c4 f1718f3 a32e584 f1718f3 a32e584 f1718f3 a32e584 f1718f3 a32e584 f1718f3 a32e584 f1718f3 a32e584 f1718f3 a32e584 f1718f3 55cdb7e a32e584 55cdb7e a32e584 55cdb7e 07d23c4 a32e584 07d23c4 a32e584 07d23c4 f1718f3 07d23c4 f1718f3 55cdb7e 07d23c4 a32e584 f1718f3 55cdb7e a32e584 55cdb7e a32e584 55cdb7e a32e584 55cdb7e 3326f29 55cdb7e a32e584 3326f29 a32e584 55cdb7e 3326f29 55cdb7e f1718f3 55cdb7e a32e584 f1718f3 55cdb7e a32e584 55cdb7e a32e584 f1718f3 55cdb7e f1718f3 a32e584 55cdb7e f1718f3 55cdb7e f1718f3 | 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 | """Training script for salary prediction model."""
import pickle
from pathlib import Path
import pandas as pd
import numpy as np
import yaml
from xgboost import XGBRegressor
from sklearn.model_selection import KFold, train_test_split
from src.preprocessing import prepare_features, reduce_cardinality
CATEGORICAL_FEATURES = [
"Country",
"EdLevel",
"DevType",
"Industry",
"Age",
"ICorPM",
"OrgSize",
"Employment",
]
def filter_salaries(df: pd.DataFrame, config: dict) -> pd.DataFrame:
"""Filter rows by minimum salary and per-country percentile outlier removal.
Args:
df: DataFrame with ConvertedCompYearly and Country columns.
config: Config dict with data.min_salary, data.lower_percentile,
data.upper_percentile.
Returns:
Filtered DataFrame with outliers removed.
"""
main_label = "ConvertedCompYearly"
min_salary = config["data"]["min_salary"]
df = df[df[main_label] > min_salary]
lower_pct = config["data"]["lower_percentile"] / 100
upper_pct = config["data"]["upper_percentile"] / 100
lower_bound = df.groupby("Country")[main_label].transform("quantile", lower_pct)
upper_bound = df.groupby("Country")[main_label].transform("quantile", upper_pct)
df = df[(df[main_label] > lower_bound) & (df[main_label] < upper_bound)]
df = df.dropna(subset=[main_label])
return df
def apply_cardinality_reduction(df: pd.DataFrame) -> pd.DataFrame:
"""Apply cardinality reduction and unicode normalization to categorical columns.
Args:
df: DataFrame with categorical feature columns.
Returns:
DataFrame with reduced cardinality categories.
"""
df = df.copy()
for col in CATEGORICAL_FEATURES:
df[col] = df[col].str.replace("\u2019", "'", regex=False)
df[col] = reduce_cardinality(df[col])
return df
def drop_other_rows(df: pd.DataFrame, config: dict) -> pd.DataFrame:
"""Drop rows where specified features have the 'Other' catch-all category.
Args:
df: DataFrame with categorical feature columns (after cardinality reduction).
config: Config dict with features.cardinality.other_category and
features.cardinality.drop_other_from.
Returns:
DataFrame with 'Other' rows removed from specified features.
"""
other_name = config["features"]["cardinality"].get("other_category", "Other")
drop_other_from = config["features"]["cardinality"].get("drop_other_from", [])
for col in drop_other_from:
df = df[df[col] != other_name]
return df
def extract_valid_categories(df: pd.DataFrame) -> dict:
"""Extract sorted unique values per categorical feature for inference validation.
Args:
df: DataFrame with categorical feature columns (after cardinality reduction).
Returns:
Dict mapping feature name to sorted list of valid category values.
"""
return {
col: sorted(df[col].dropna().unique().tolist()) for col in CATEGORICAL_FEATURES
}
def compute_currency_rates(df: pd.DataFrame, valid_countries: list[str]) -> dict:
"""Compute median currency conversion rates per country.
Args:
df: DataFrame with Country, Currency, CompTotal, ConvertedCompYearly columns.
valid_countries: List of valid country names to compute rates for.
Returns:
Dict mapping country to {code, name, rate}.
"""
main_label = "ConvertedCompYearly"
currency_df = df[["Country", "Currency", "CompTotal", main_label]].dropna()
currency_df = currency_df.copy()
currency_df["CurrencyCode"] = currency_df["Currency"].str.split(r"\s+", n=1).str[0]
currency_df["CurrencyName"] = currency_df["Currency"].str.split(r"\s+", n=1).str[1]
currency_df["rate"] = currency_df["CompTotal"] / currency_df[main_label]
currency_df = currency_df[
(currency_df["rate"] > 0.001) & (currency_df["rate"] < 100000)
]
currency_rates = {}
for country in valid_countries:
country_data = currency_df[currency_df["Country"] == country]
if country_data.empty:
continue
most_common = country_data["CurrencyCode"].mode()
if most_common.empty:
continue
code = most_common.iloc[0]
name_row = country_data[country_data["CurrencyCode"] == code].iloc[0]
full_name = name_row["CurrencyName"]
rates = country_data[country_data["CurrencyCode"] == code]["rate"]
median_rate = round(float(rates.median()), 2)
currency_rates[country] = {
"code": code,
"name": full_name,
"rate": median_rate,
}
return currency_rates
def main():
"""Train and save the salary prediction model."""
# Load configuration
print("Loading configuration...")
config_path = Path("config/model_parameters.yaml")
with open(config_path, "r") as f:
config = yaml.safe_load(f)
print("Loading data...")
data_path = Path("data/survey_results_public.csv")
if not data_path.exists():
print(f"Error: Data file not found at {data_path}")
print(
"Please download the Stack Overflow Developer Survey CSV and place it in the data/ directory."
)
print("Download from: https://insights.stackoverflow.com/survey")
return
# Load only required columns to save memory
df = pd.read_csv(
data_path,
usecols=[
"Country",
"YearsCode",
"WorkExp",
"EdLevel",
"DevType",
"Industry",
"Age",
"ICorPM",
"OrgSize",
"Employment",
"Currency",
"CompTotal",
"ConvertedCompYearly",
],
)
print(f"Loaded {len(df):,} rows")
print("Removing null, extremely small and large reported salaries")
df = filter_salaries(df, config)
print(f"After filtering: {len(df):,} rows")
# Apply cardinality reduction to a copy (for valid_categories extraction)
# and to the main df (for training)
df_copy = apply_cardinality_reduction(df)
df = apply_cardinality_reduction(df)
# Drop rows with "Other" in specified features (low-quality catch-all categories)
before_drop = len(df)
df = drop_other_rows(df, config)
df_copy = drop_other_rows(df_copy, config)
drop_other_from = config["features"]["cardinality"].get("drop_other_from", [])
if drop_other_from:
print(
f"Dropped {before_drop - len(df):,} rows with 'Other' in {drop_other_from}"
)
print(f"After dropping 'Other': {len(df):,} rows")
# Now apply full feature transformations for model training
main_label = "ConvertedCompYearly"
X = prepare_features(df)
y = df[main_label]
# Save valid categories after cardinality reduction for validation during inference
valid_categories = extract_valid_categories(df_copy)
valid_categories_path = Path("config/valid_categories.yaml")
with open(valid_categories_path, "w") as f:
yaml.dump(valid_categories, f, default_flow_style=False, sort_keys=False)
print(
f"\nSaved {len(valid_categories['Country'])} valid countries, {len(valid_categories['EdLevel'])} valid education levels, {len(valid_categories['DevType'])} valid developer types, {len(valid_categories['Industry'])} valid industries, {len(valid_categories['Age'])} valid age ranges, and {len(valid_categories['ICorPM'])} valid IC/PM values to {valid_categories_path}"
)
# Compute currency conversion rates per country
print("\nComputing currency conversion rates per country...")
currency_rates = compute_currency_rates(df, valid_categories["Country"])
currency_rates_path = Path("config/currency_rates.yaml")
with open(currency_rates_path, "w") as f:
yaml.dump(
currency_rates,
f,
default_flow_style=False,
sort_keys=True,
allow_unicode=True,
)
print(
f"Saved currency rates for {len(currency_rates)} countries to {currency_rates_path}"
)
for country, info in sorted(currency_rates.items()):
print(
f" {country:45s} -> {info['code']} ({info['name']}, rate: {info['rate']})"
)
print(f"\nFeature matrix shape: {X.shape}")
print(f"Total features: {X.shape[1]}")
# Display feature information for debugging and inference comparison
print("\n" + "=" * 60)
print("FEATURE ANALYSIS (for comparing with inference)")
print("=" * 60)
# Show top countries in the dataset
print("\nπ Top 10 Countries:")
top_countries = df["Country"].value_counts().head(10)
for country, count in top_countries.items():
print(f" - {country}: {count:,} ({count / len(df) * 100:.1f}%)")
# Show top education levels
print("\nπ Top Education Levels:")
top_edu = df["EdLevel"].value_counts().head(10)
for edu, count in top_edu.items():
print(f" - {edu}: {count:,} ({count / len(df) * 100:.1f}%)")
# Show top developer types
print("\nπ¨βπ» Top Developer Types:")
top_devtype = df["DevType"].value_counts().head(10)
for devtype, count in top_devtype.items():
print(f" - {devtype}: {count:,} ({count / len(df) * 100:.1f}%)")
# Show top industries
print("\nπ’ Top Industries:")
top_industry = df["Industry"].value_counts().head(10)
for industry, count in top_industry.items():
print(f" - {industry}: {count:,} ({count / len(df) * 100:.1f}%)")
# Show age distribution
print("\nπ Age Distribution:")
top_age = df["Age"].value_counts().head(10)
for age, count in top_age.items():
print(f" - {age}: {count:,} ({count / len(df) * 100:.1f}%)")
# Show IC or PM distribution
print("\nπ₯ IC or PM Distribution:")
top_icorpm = df["ICorPM"].value_counts().head(10)
for icorpm, count in top_icorpm.items():
print(f" - {icorpm}: {count:,} ({count / len(df) * 100:.1f}%)")
# Show employment distribution
print("\nπΌ Employment Distribution:")
top_employment = df["Employment"].value_counts()
for emp, count in top_employment.items():
print(f" - {emp}: {count:,} ({count / len(df) * 100:.1f}%)")
# Show YearsCode statistics
print("\nπΌ Years of Coding Experience:")
print(f" - Min: {df['YearsCode'].min():.1f}")
print(f" - Max: {df['YearsCode'].max():.1f}")
print(f" - Mean: {df['YearsCode'].mean():.1f}")
print(f" - Median: {df['YearsCode'].median():.1f}")
print(f" - 25th percentile: {df['YearsCode'].quantile(0.25):.1f}")
print(f" - 75th percentile: {df['YearsCode'].quantile(0.75):.1f}")
# Show WorkExp statistics
print("\nπΌ Years of Professional Work Experience:")
print(f" - Min: {df['WorkExp'].min():.1f}")
print(f" - Max: {df['WorkExp'].max():.1f}")
print(f" - Mean: {df['WorkExp'].mean():.1f}")
print(f" - Median: {df['WorkExp'].median():.1f}")
print(f" - 25th percentile: {df['WorkExp'].quantile(0.25):.1f}")
print(f" - 75th percentile: {df['WorkExp'].quantile(0.75):.1f}")
# Show most common one-hot encoded features (by frequency)
# Separate analysis for each categorical feature
# Calculate feature frequencies (sum of each column for one-hot encoded)
feature_counts = X.sum().sort_values(ascending=False)
# Exclude numeric features (YearsCode)
categorical_features = feature_counts[
~feature_counts.index.str.startswith("YearsCode")
]
# Country features
print("\nπ Top 15 Country Features (most common):")
country_features = categorical_features[
categorical_features.index.str.startswith("Country_")
]
for i, (feature, count) in enumerate(country_features.head(15).items(), 1):
percentage = (count / len(X)) * 100
country_name = feature.replace("Country_", "")
print(
f" {i:2d}. {country_name:45s} - {count:6.0f} occurrences ({percentage:5.1f}%)"
)
# Education level features
print("\nπ Top 10 Education Level Features (most common):")
edlevel_features = categorical_features[
categorical_features.index.str.startswith("EdLevel_")
]
for i, (feature, count) in enumerate(edlevel_features.head(10).items(), 1):
percentage = (count / len(X)) * 100
edu_name = feature.replace("EdLevel_", "")
print(
f" {i:2d}. {edu_name:45s} - {count:6.0f} occurrences ({percentage:5.1f}%)"
)
# Developer type features
print("\nπ¨βπ» Top 10 Developer Type Features (most common):")
devtype_features = categorical_features[
categorical_features.index.str.startswith("DevType_")
]
for i, (feature, count) in enumerate(devtype_features.head(10).items(), 1):
percentage = (count / len(X)) * 100
devtype_name = feature.replace("DevType_", "")
print(
f" {i:2d}. {devtype_name:45s} - {count:6.0f} occurrences ({percentage:5.1f}%)"
)
# Industry features
print("\nπ’ Top 10 Industry Features (most common):")
industry_features = categorical_features[
categorical_features.index.str.startswith("Industry_")
]
for i, (feature, count) in enumerate(industry_features.head(10).items(), 1):
percentage = (count / len(X)) * 100
industry_name = feature.replace("Industry_", "")
print(
f" {i:2d}. {industry_name:45s} - {count:6.0f} occurrences ({percentage:5.1f}%)"
)
# Age features
print("\nπ Top 10 Age Features (most common):")
age_features = categorical_features[
categorical_features.index.str.startswith("Age_")
]
for i, (feature, count) in enumerate(age_features.head(10).items(), 1):
percentage = (count / len(X)) * 100
age_name = feature.replace("Age_", "")
print(
f" {i:2d}. {age_name:45s} - {count:6.0f} occurrences ({percentage:5.1f}%)"
)
# ICorPM features
print("\nπ₯ Top 10 IC/PM Features (most common):")
icorpm_features = categorical_features[
categorical_features.index.str.startswith("ICorPM_")
]
for i, (feature, count) in enumerate(icorpm_features.head(10).items(), 1):
percentage = (count / len(X)) * 100
icorpm_name = feature.replace("ICorPM_", "")
print(
f" {i:2d}. {icorpm_name:45s} - {count:6.0f} occurrences ({percentage:5.1f}%)"
)
print(f"\nπ Total one-hot encoded features: {len(X.columns)}")
print(" - Numeric: 2 (YearsCode, WorkExp)")
print(f" - Country: {len(country_features)}")
print(f" - Education: {len(edlevel_features)}")
print(f" - DevType: {len(devtype_features)}")
print(f" - Industry: {len(industry_features)}")
print(f" - Age: {len(age_features)}")
print(f" - ICorPM: {len(icorpm_features)}")
print("=" * 60 + "\n")
# Cross-validation for robust evaluation
n_splits = config["data"].get("cv_splits", 5)
random_state = config["data"]["random_state"]
model_config = config["model"]
print(f"Running {n_splits}-fold cross-validation...")
kf = KFold(n_splits=n_splits, shuffle=True, random_state=random_state)
train_scores = []
test_scores = []
best_iterations = []
for fold, (train_idx, test_idx) in enumerate(kf.split(X), 1):
X_train, X_test = X.iloc[train_idx], X.iloc[test_idx]
y_train, y_test = y.iloc[train_idx], y.iloc[test_idx]
model = XGBRegressor(
n_estimators=model_config["n_estimators"],
learning_rate=model_config["learning_rate"],
max_depth=model_config["max_depth"],
min_child_weight=model_config["min_child_weight"],
random_state=model_config["random_state"],
n_jobs=model_config["n_jobs"],
early_stopping_rounds=model_config["early_stopping_rounds"],
)
model.fit(
X_train,
y_train,
eval_set=[(X_test, y_test)],
verbose=False,
)
train_mape = np.mean(np.abs((y_train - model.predict(X_train)) / y_train)) * 100
test_mape = np.mean(np.abs((y_test - model.predict(X_test)) / y_test)) * 100
train_scores.append(train_mape)
test_scores.append(test_mape)
best_iterations.append(model.best_iteration + 1)
print(
f" Fold {fold}: Train MAPE = {train_mape:.2f}%, Test MAPE = {test_mape:.2f}% (best iter: {model.best_iteration + 1})"
)
avg_train = np.mean(train_scores)
avg_test = np.mean(test_scores)
std_test = np.std(test_scores)
avg_best_iter = int(np.mean(best_iterations))
print(f"\nCV Average Train MAPE: {avg_train:.2f}%")
print(f"CV Average Test MAPE: {avg_test:.2f}% (+/- {std_test:.2f}%)")
print(f"CV Average best iteration: {avg_best_iter}")
# Train final model on all data for deployment
# Use a small held-out split for early stopping only
print("\nTraining final model on full dataset...")
X_train_final, X_es, y_train_final, y_es = train_test_split(
X, y, test_size=0.1, random_state=random_state
)
final_model = XGBRegressor(
n_estimators=model_config["n_estimators"],
learning_rate=model_config["learning_rate"],
max_depth=model_config["max_depth"],
min_child_weight=model_config["min_child_weight"],
random_state=model_config["random_state"],
n_jobs=model_config["n_jobs"],
early_stopping_rounds=model_config["early_stopping_rounds"],
)
final_model.fit(
X_train_final,
y_train_final,
eval_set=[(X_es, y_es)],
verbose=config["training"]["verbose"],
)
print(f"Final model best iteration: {final_model.best_iteration + 1}")
# Save model and feature columns for inference
model_path = Path(config["training"]["model_path"])
model_path.parent.mkdir(parents=True, exist_ok=True)
artifacts = {
"model": final_model,
"feature_columns": list(X.columns),
}
with open(model_path, "wb") as f:
pickle.dump(artifacts, f)
print(f"Model saved to {model_path}")
if __name__ == "__main__":
main()
|