File size: 14,502 Bytes
88519e8 27e97ac 88519e8 4a10224 d507c32 88519e8 dbdadad 88519e8 d507c32 88519e8 27e97ac 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 d507c32 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 88519e8 bf39698 66926c8 88519e8 66926c8 88519e8 dbdadad 66926c8 dbdadad 66926c8 dbdadad 66926c8 dbdadad 66926c8 88519e8 bf39698 88519e8 dbdadad 88519e8 dbdadad 66926c8 dbdadad 88519e8 d507c32 88519e8 |
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 |
"""
Recommendation evaluation suite.
Combines:
- Offline evaluation (NDCG, Hit@K, MRR, diversity, coverage)
- Baseline comparison (Random, Popularity, ItemKNN)
- Aggregation method comparison
- Rating filter analysis
- Weight tuning experiments
Usage:
python scripts/evaluation.py # Primary metrics only (default)
python scripts/evaluation.py --section all # Full evaluation with ablations
python scripts/evaluation.py --baselines # Include baseline comparison
python scripts/evaluation.py --section weights # Only weight tuning
Run from project root.
"""
import argparse
from collections.abc import Callable
from datetime import datetime
from pathlib import Path
from sage.core import AggregationMethod
from sage.utils import save_results
from sage.services.baselines import (
ItemKNNBaseline,
PopularityBaseline,
RandomBaseline,
compute_item_popularity_from_qdrant,
load_product_embeddings_from_qdrant,
)
from sage.config import get_logger, log_banner, log_section, log_kv
from sage.data import load_eval_cases, load_splits
from sage.services.evaluation import compute_item_popularity, evaluate_recommendations
from sage.services.retrieval import recommend
logger = get_logger(__name__)
def create_recommend_fn(
top_k: int = 10,
aggregation: AggregationMethod = AggregationMethod.MAX,
min_rating: float | None = None,
similarity_weight: float = 1.0,
rating_weight: float = 0.0,
) -> Callable[[str], list[str]]:
"""Create a recommend function for evaluation."""
def _recommend(query: str) -> list[str]:
recs = recommend(
query=query,
top_k=top_k,
candidate_limit=100,
aggregation=aggregation,
min_rating=min_rating,
similarity_weight=similarity_weight,
rating_weight=rating_weight,
)
return [r.product_id for r in recs]
return _recommend
# ============================================================================
# SECTION: Primary Evaluation
# ============================================================================
def run_primary_evaluation(cases, item_embeddings, item_popularity, total_items):
"""Run primary evaluation on leave-one-out dataset."""
log_banner(logger, "EVALUATION: Leave-One-Out (History Queries)")
logger.info("Note: Using history-based queries to avoid target leakage.")
recommend_fn = create_recommend_fn(top_k=10, aggregation=AggregationMethod.MAX)
logger.info("Evaluating %d cases...", len(cases))
report = evaluate_recommendations(
recommend_fn=recommend_fn,
eval_cases=cases,
k=10,
item_embeddings=item_embeddings,
item_popularity=item_popularity,
total_items=total_items,
verbose=True,
)
logger.info(str(report))
return {
"ndcg_at_10": report.ndcg_at_k,
"hit_at_10": report.hit_at_k,
"mrr": report.mrr,
"precision_at_10": report.precision_at_k,
"recall_at_10": report.recall_at_k,
"diversity": report.diversity,
"coverage": report.coverage,
"novelty": report.novelty,
}
# ============================================================================
# SECTION: Aggregation Methods
# ============================================================================
def run_aggregation_comparison(cases):
"""Compare different aggregation methods."""
log_banner(logger, "AGGREGATION METHOD COMPARISON")
results = {}
for method in AggregationMethod:
recommend_fn = create_recommend_fn(top_k=10, aggregation=method)
report = evaluate_recommendations(
recommend_fn=recommend_fn,
eval_cases=cases,
k=10,
verbose=False,
)
results[method.value] = {
"ndcg_at_10": report.ndcg_at_k,
"hit_at_10": report.hit_at_k,
"mrr": report.mrr,
}
logger.info("%s:", method.value.upper())
log_kv(logger, "NDCG@10", report.ndcg_at_k)
log_kv(logger, "Hit@10", report.hit_at_k)
log_kv(logger, "MRR", report.mrr)
return results
# ============================================================================
# SECTION: Rating Filter
# ============================================================================
def run_rating_filter_comparison(cases):
"""Compare different rating filters."""
log_banner(logger, "RATING FILTER COMPARISON")
for min_rating in [None, 3.0, 4.0]:
recommend_fn = create_recommend_fn(top_k=10, min_rating=min_rating)
report = evaluate_recommendations(
recommend_fn=recommend_fn,
eval_cases=cases,
k=10,
verbose=False,
)
filter_str = f"min_rating={min_rating}" if min_rating else "No filter"
logger.info("%s:", filter_str)
log_kv(logger, "NDCG@10", report.ndcg_at_k)
log_kv(logger, "Hit@10", report.hit_at_k)
log_kv(logger, "MRR", report.mrr)
# ============================================================================
# SECTION: K Values
# ============================================================================
def run_k_value_comparison(cases):
"""Compare metrics at different K values."""
log_banner(logger, "METRICS AT DIFFERENT K VALUES")
for k in [5, 10, 20]:
recommend_fn = create_recommend_fn(top_k=k)
report = evaluate_recommendations(
recommend_fn=recommend_fn,
eval_cases=cases,
k=k,
verbose=False,
)
logger.info("K=%d:", k)
log_kv(logger, f"NDCG@{k}", report.ndcg_at_k)
log_kv(logger, f"Hit@{k}", report.hit_at_k)
log_kv(logger, f"Precision@{k}", report.precision_at_k)
log_kv(logger, f"Recall@{k}", report.recall_at_k)
# ============================================================================
# SECTION: Weight Tuning
# ============================================================================
def run_weight_tuning(cases):
"""Run ranking weight tuning experiment."""
log_banner(logger, "RANKING WEIGHT TUNING (alpha*sim + beta*rating)")
weight_configs = [
(1.0, 0.0),
(0.9, 0.1),
(0.8, 0.2),
(0.7, 0.3),
(0.6, 0.4),
(0.5, 0.5),
]
logger.info(
"%-10s %-12s %-10s %-10s %-10s", "alpha", "beta", "NDCG@10", "Hit@10", "MRR"
)
logger.info("-" * 52)
results = []
best_ndcg, best_weights = 0.0, (1.0, 0.0)
for alpha, beta in weight_configs:
recommend_fn = create_recommend_fn(
top_k=10,
similarity_weight=alpha,
rating_weight=beta,
)
report = evaluate_recommendations(
recommend_fn=recommend_fn,
eval_cases=cases,
k=10,
verbose=False,
)
results.append(
{
"alpha": alpha,
"beta": beta,
"ndcg_at_10": report.ndcg_at_k,
"hit_at_10": report.hit_at_k,
"mrr": report.mrr,
}
)
logger.info(
"%-10.1f %-12.1f %-10.4f %-10.4f %-10.4f",
alpha,
beta,
report.ndcg_at_k,
report.hit_at_k,
report.mrr,
)
if report.ndcg_at_k > best_ndcg:
best_ndcg = report.ndcg_at_k
best_weights = (alpha, beta)
logger.info("-" * 52)
logger.info(
"Best: alpha=%.1f, beta=%.1f (NDCG@10=%.4f)",
best_weights[0],
best_weights[1],
best_ndcg,
)
return results, best_weights, best_ndcg
# ============================================================================
# SECTION: Baseline Comparison
# ============================================================================
def run_baseline_comparison(cases, train_records, all_products, product_embeddings):
"""Compare against baselines: Random, Popularity, ItemKNN."""
log_banner(logger, "BASELINE COMPARISON")
# Initialize baselines
random_baseline = RandomBaseline(all_products, seed=42)
popularity_baseline = PopularityBaseline(train_records, item_key="parent_asin")
itemknn_baseline = ItemKNNBaseline(product_embeddings)
def random_recommend(query: str) -> list[str]:
return random_baseline.recommend(query, top_k=10)
def popularity_recommend(query: str) -> list[str]:
return popularity_baseline.recommend(query, top_k=10)
def itemknn_recommend(query: str) -> list[str]:
return itemknn_baseline.recommend(query, top_k=10)
rag_recommend = create_recommend_fn(top_k=10, aggregation=AggregationMethod.MAX)
results = {}
methods = [
("Random", random_recommend),
("Popularity", popularity_recommend),
("ItemKNN", itemknn_recommend),
("RAG (Ours)", rag_recommend),
]
for name, fn in methods:
log_section(logger, name)
report = evaluate_recommendations(
recommend_fn=fn,
eval_cases=cases,
k=10,
verbose=(name in ["ItemKNN", "RAG (Ours)"]),
)
results[name] = report
log_kv(logger, "NDCG@10", report.ndcg_at_k)
log_kv(logger, "Hit@10", report.hit_at_k)
log_kv(logger, "MRR", report.mrr)
# Summary table
log_banner(logger, "COMPARISON SUMMARY")
logger.info("%-15s %10s %10s %10s", "Method", "NDCG@10", "Hit@10", "MRR")
logger.info("-" * 47)
for name, report in results.items():
logger.info(
"%-15s %10.4f %10.4f %10.4f",
name,
report.ndcg_at_k,
report.hit_at_k,
report.mrr,
)
# Relative improvements
rag = results["RAG (Ours)"].ndcg_at_k
logger.info("Relative improvements over baselines:")
for name in ["Random", "Popularity", "ItemKNN"]:
baseline = results[name].ndcg_at_k
if baseline > 0:
logger.info(" vs %s: +%.1f%%", name, (rag / baseline - 1) * 100)
return results
# ============================================================================
# Main
# ============================================================================
def main():
parser = argparse.ArgumentParser(description="Run recommendation evaluation")
parser.add_argument(
"--baselines", action="store_true", help="Include baseline comparison"
)
parser.add_argument(
"--section",
"-s",
choices=["all", "primary", "aggregation", "rating", "k", "weights"],
default="primary",
help="Which section to run (default: primary)",
)
parser.add_argument(
"--dataset",
"-d",
default="eval_natural_queries.json",
help="Evaluation dataset file (default: eval_natural_queries.json)",
)
args = parser.parse_args()
log_banner(logger, "OFFLINE EVALUATION")
# Load product embeddings from Qdrant (always available)
logger.info("Loading product embeddings from Qdrant...")
item_embeddings = load_product_embeddings_from_qdrant()
total_items = len(item_embeddings)
logger.info("Products in catalog: %d", total_items)
# Try to load splits for baseline comparison (optional)
train_records = None
all_products = None
item_counts = None # Raw counts for baseline comparison
try:
train_df, _, _ = load_splits()
train_records = train_df.to_dict("records")
all_products = list(train_df["parent_asin"].unique())
item_popularity = compute_item_popularity(train_records, item_key="parent_asin")
logger.info("Loaded splits for baseline comparison")
except FileNotFoundError:
# Fall back to Qdrant-based popularity for beyond-accuracy metrics
logger.info("Splits not available - computing popularity from Qdrant")
item_popularity = compute_item_popularity_from_qdrant(normalize=True)
item_counts = compute_item_popularity_from_qdrant(normalize=False)
all_products = list(item_embeddings.keys())
logger.info(
"Computed popularity for %d products from Qdrant", len(item_popularity)
)
# Load eval cases
logger.info("Loading evaluation dataset: %s", args.dataset)
cases = load_eval_cases(args.dataset)
logger.info("Eval cases: %d", len(cases))
# Initialize results
all_results = {
"timestamp": datetime.now().isoformat(),
"dataset": args.dataset,
"catalog_size": total_items,
"experiments": {},
}
# Run sections
if args.section in ("all", "primary"):
all_results["primary_metrics"] = run_primary_evaluation(
cases, item_embeddings, item_popularity, total_items
)
if args.section in ("all", "aggregation"):
all_results["experiments"]["aggregation_methods"] = run_aggregation_comparison(
cases
)
if args.section in ("all", "rating"):
run_rating_filter_comparison(cases)
if args.section in ("all", "k"):
run_k_value_comparison(cases)
if args.section in ("all", "weights"):
weight_results, best_weights, best_ndcg = run_weight_tuning(cases)
all_results["experiments"]["weight_tuning"] = weight_results
all_results["best_weights"] = {
"alpha": best_weights[0],
"beta": best_weights[1],
"ndcg_at_10": best_ndcg,
}
# Baseline comparison
if args.baselines:
if train_records is None and item_counts is not None:
# Create pseudo-interactions from Qdrant counts for baseline comparison
logger.info("Using Qdrant-based counts for baseline comparison")
train_records = [
{"parent_asin": pid}
for pid, count in item_counts.items()
for _ in range(count)
]
if train_records is not None:
run_baseline_comparison(cases, train_records, all_products, item_embeddings)
else:
logger.warning("Skipping baselines - no data available")
# Save results (uses dataset stem as prefix for both timestamped and latest files)
prefix = Path(args.dataset).stem
results_path = save_results(all_results, prefix)
logger.info("Results saved to: %s", results_path)
log_banner(logger, "EVALUATION COMPLETE")
if __name__ == "__main__":
main()
|