NLP-RAG / main.py
Qar-Raz's picture
Sync backend Docker context from GitHub main
c27a4e3 verified
import os
import json
import time
from datetime import datetime
from dotenv import load_dotenv
from config_loader import cfg
from data.vector_db import get_pinecone_index, refresh_pinecone_index
from retriever.retriever import HybridRetriever
from retriever.generator import RAGGenerator
from retriever.processor import ChunkProcessor
from retriever.evaluator import RAGEvaluator
from data.data_loader import load_cbt_book, get_book_stats
from data.ingest import ingest_data, CHUNKING_TECHNIQUES
# Import model fleet
from models.llama_3_8b import Llama3_8B
from models.mistral_7b import Mistral_7b
from models.tiny_aya import TinyAya
MODEL_MAP = {
"Llama-3-8B": Llama3_8B,
"Mistral-7B": Mistral_7b,
"TinyAya": TinyAya
}
load_dotenv()
def run_rag_for_technique(technique_name, query, index, encoder, models, evaluator, rag_engine, retriever, retrieval_strategy):
"""Run RAG pipeline for a specific chunking technique and retrieval strategy."""
mode = retrieval_strategy['mode']
use_mmr = retrieval_strategy['use_mmr']
strategy_label = retrieval_strategy['label']
print(f"\n{'='*80}")
print(f"TECHNIQUE: {technique_name.upper()} | STRATEGY: {strategy_label}")
print(f"{'='*80}")
# Use HybridRetriever to retrieve chunks
context_chunks, chunk_score = retriever.search(
query=query,
index=index,
mode=mode,
rerank_strategy="cross-encoder",
use_mmr=use_mmr,
top_k=50,
final_k=5,
technique_name=technique_name,
verbose=False
)
print(f"\nRetrieved {len(context_chunks)} chunks for technique '{technique_name}' with strategy '{strategy_label}' (ChunkScore: {chunk_score:.4f})")
if not context_chunks:
print(f"WARNING: No chunks found for technique '{technique_name}'")
return {}
# Print the final RAG context being passed to models (only once)
print(f"\n{'='*80}")
print(f"📚 FINAL RAG CONTEXT FOR TECHNIQUE '{technique_name.upper()}'")
print(f"{'='*80}")
for i, chunk in enumerate(context_chunks, 1):
print(f"\n[Chunk {i}] ({len(chunk)} chars):")
print(f"{'─'*60}")
print(chunk)
print(f"{'─'*60}")
print(f"\n{'='*80}")
# Run model tournament for this technique
tournament_results = {}
tournament_results["_ChunkScore"] = chunk_score # Store at technique level, not per model
tournament_results["_Strategy"] = strategy_label
for name, model_inst in models.items():
print(f"\n{'-'*60}")
print(f"Model: {name}")
print(f"{'-'*60}")
try:
# Generation
answer = rag_engine.get_answer(
model_inst, query, context_chunks,
temperature=cfg.gen['temperature']
)
print(f"\n{'─'*60}")
print(f"📝 FULL ANSWER from {name}:")
print(f"{'─'*60}")
print(answer)
print(f"{'─'*60}")
# Faithfulness Evaluation (strict=False reduces API calls from ~22 to ~3 per eval)
faith = evaluator.evaluate_faithfulness(answer, context_chunks, strict=False)
# Relevancy Evaluation
rel = evaluator.evaluate_relevancy(query, answer)
tournament_results[name] = {
"answer": answer,
"Faithfulness": faith['score'],
"Relevancy": rel['score'],
"Claims": faith['details'],
"context_chunks": context_chunks,
}
print(f"\n📊 EVALUATION SCORES:")
print(f" Faithfulness: {faith['score']:.1f}%")
print(f" Relevancy: {rel['score']:.3f}")
print(f" Combined: {faith['score'] + rel['score']:.3f}")
except Exception as e:
print(f" Error evaluating {name}: {e}")
tournament_results[name] = {
"answer": "",
"Faithfulness": 0,
"Relevancy": 0,
"Claims": [],
"error": str(e),
"context_chunks": context_chunks,
}
return tournament_results
def generate_findings_document(all_query_results, queries, output_file="rag_ablation_findings.md"):
"""Generate detailed markdown document with findings from all techniques across all queries.
Args:
all_query_results: Dict mapping query index to results dict
queries: List of all test queries
output_file: Path to output file
"""
timestamp = datetime.now().strftime("%Y-%m-%d %H:%M:%S")
content = f"""# RAG Ablation Study Findings
*Generated:* {timestamp}
## Overview
This document presents findings from a comparative analysis of 6 different chunking techniques
applied to a Cognitive Behavioral Therapy (CBT) book. Each technique was evaluated using
multiple LLM models with RAG (Retrieval-Augmented Generation) pipeline.
## Test Queries
"""
for i, query in enumerate(queries, 1):
content += f"{i}. {query}\n"
content += """
## Chunking Techniques Evaluated
1. *Fixed* - Fixed-size chunking (1000 chars, 100 overlap)
2. *Sentence* - Sentence-level chunking (NLTK)
3. *Paragraph* - Paragraph-level chunking (\\n\\n boundaries)
4. *Semantic* - Semantic chunking (embedding similarity)
5. *Recursive* - Recursive chunking (hierarchical separators)
6. *Page* - Page-level chunking (--- Page markers)
## Results by Technique (Aggregated Across All Queries)
"""
# Aggregate results across all queries
aggregated_results = {}
chunk_scores_by_query_technique = {} # Store ChunkScore per query+technique
for query_idx, query_results in all_query_results.items():
for technique_name, model_results in query_results.items():
if technique_name not in aggregated_results:
aggregated_results[technique_name] = {}
# Extract ChunkScore (stored at technique level, not per model)
chunk_score = model_results.get('_ChunkScore', 0)
chunk_scores_by_query_technique[(query_idx, technique_name)] = chunk_score
for model_name, results in model_results.items():
if model_name.startswith('_'):
continue # Skip metadata keys like _ChunkScore
if model_name not in aggregated_results[technique_name]:
aggregated_results[technique_name][model_name] = {
'Faithfulness': [],
'Relevancy': [],
'answers': [],
'context_chunks': results.get('context_chunks', []),
'context_urls': results.get('context_urls', [])
}
aggregated_results[technique_name][model_name]['Faithfulness'].append(results.get('Faithfulness', 0))
aggregated_results[technique_name][model_name]['Relevancy'].append(results.get('Relevancy', 0))
aggregated_results[technique_name][model_name]['answers'].append(results.get('answer', ''))
# Add results for each technique
for technique_name, model_results in aggregated_results.items():
content += f"### {technique_name.upper()} Chunking\n\n"
if not model_results:
content += "No results available for this technique.\n\n"
continue
# Show ChunkScore per query for this technique
content += "#### Chunk Retrieval Scores (ChunkScore)\n\n"
content += "| Query | Avg ChunkScore |\n"
content += "|-------|---------------|\n"
for q_idx in range(len(queries)):
score = chunk_scores_by_query_technique.get((q_idx, technique_name), 0)
content += f"| {q_idx + 1} | {score:.4f} |\n"
content += "\n"
# Create results table with averaged scores
content += "| Model | Avg Faithfulness | Avg Relevancy | Avg Combined |\n"
content += "|-------|------------------|---------------|--------------|\n"
for model_name, results in model_results.items():
avg_faith = sum(results['Faithfulness']) / len(results['Faithfulness']) if results['Faithfulness'] else 0
avg_rel = sum(results['Relevancy']) / len(results['Relevancy']) if results['Relevancy'] else 0
avg_combined = avg_faith + avg_rel
content += f"| {model_name} | {avg_faith:.1f}% | {avg_rel:.3f} | {avg_combined:.3f} |\n"
# Find best model for this technique
if model_results:
best_model = max(
model_results.items(),
key=lambda x: (sum(x[1]['Faithfulness']) / len(x[1]['Faithfulness']) if x[1]['Faithfulness'] else 0) +
(sum(x[1]['Relevancy']) / len(x[1]['Relevancy']) if x[1]['Relevancy'] else 0)
)
best_name = best_model[0]
best_faith = sum(best_model[1]['Faithfulness']) / len(best_model[1]['Faithfulness']) if best_model[1]['Faithfulness'] else 0
best_rel = sum(best_model[1]['Relevancy']) / len(best_model[1]['Relevancy']) if best_model[1]['Relevancy'] else 0
content += f"\n*Best Model:* {best_name} (Avg Faithfulness: {best_faith:.1f}%, Avg Relevancy: {best_rel:.3f})\n\n"
# Show context chunks once per technique (not per model)
context_chunks = None
context_urls = None
for model_name, results in model_results.items():
if results.get('context_chunks'):
context_chunks = results['context_chunks']
context_urls = results.get('context_urls', [])
break
if context_chunks:
content += "#### Context Chunks Used\n\n"
for i, chunk in enumerate(context_chunks, 1):
url = context_urls[i-1] if context_urls and i-1 < len(context_urls) else ""
if url:
content += f"*Chunk {i}* ([Source]({url})):\n"
else:
content += f"*Chunk {i}*:\n"
content += f"\n{chunk}\n\n\n"
# Add detailed RAG results for each model
content += "#### Detailed RAG Results\n\n"
for model_name, results in model_results.items():
answers = results.get('answers', [])
avg_faith = sum(results['Faithfulness']) / len(results['Faithfulness']) if results['Faithfulness'] else 0
avg_rel = sum(results['Relevancy']) / len(results['Relevancy']) if results['Relevancy'] else 0
content += f"*{model_name}* (Avg Faithfulness: {avg_faith:.1f}%, Avg Relevancy: {avg_rel:.3f})\n\n"
# Show answers from each query
for q_idx, answer in enumerate(answers):
content += f"📝 *Answer for Query {q_idx + 1}:*\n\n"
content += f"\n{answer}\n\n\n"
content += "---\n\n"
# Add comparative analysis
content += """## Comparative Analysis
### Overall Performance Ranking (Across All Queries)
| Rank | Technique | Avg Faithfulness | Avg Relevancy | Avg Combined |
|------|-----------|------------------|---------------|--------------|
"""
# Calculate averages for each technique across all queries
technique_averages = {}
for technique_name, model_results in aggregated_results.items():
if model_results:
all_faith = []
all_rel = []
for model_name, results in model_results.items():
all_faith.extend(results['Faithfulness'])
all_rel.extend(results['Relevancy'])
avg_faith = sum(all_faith) / len(all_faith) if all_faith else 0
avg_rel = sum(all_rel) / len(all_rel) if all_rel else 0
avg_combined = avg_faith + avg_rel
technique_averages[technique_name] = {
'faith': avg_faith,
'rel': avg_rel,
'combined': avg_combined
}
# Sort by combined score
sorted_techniques = sorted(
technique_averages.items(),
key=lambda x: x[1]['combined'],
reverse=True
)
for rank, (technique_name, averages) in enumerate(sorted_techniques, 1):
content += f"| {rank} | {technique_name} | {averages['faith']:.1f}% | {averages['rel']:.3f} | {averages['combined']:.3f} |\n"
content += """
### Key Findings
"""
if sorted_techniques:
best_technique = sorted_techniques[0][0]
worst_technique = sorted_techniques[-1][0]
content += f"""
1. *Best Performing Technique:* {best_technique}
- Achieved highest combined score across all models and queries
- Recommended for production RAG applications
2. *Worst Performing Technique:* {worst_technique}
- Lower combined scores across models and queries
- May need optimization or different configuration
3. *Model Consistency:*
- Analyzed which models perform consistently across techniques
- Identified technique-specific model preferences
"""
content += """## Recommendations
Based on the ablation study results:
1. *Primary Recommendation:* Use the best-performing chunking technique for your specific use case
2. *Hybrid Approach:* Consider combining techniques for different types of queries
3. *Model Selection:* Choose models that perform well across multiple techniques
4. *Parameter Tuning:* Optimize chunk sizes and overlaps based on document characteristics
## Technical Details
- *Embedding Model:* Jina embeddings (512 dimensions)
- *Vector Database:* Pinecone (serverless, AWS us-east-1)
- *Judge Model:* Openrouter Free models
- *Retrieval:* Top 4 chunks per technique
- *Evaluation Metrics:* Faithfulness (context grounding), Relevancy (query addressing), ChunkScore (reranker confidence)
---
This report was automatically generated by the RAG Ablation Study Pipeline.
"""
# Write to file
with open(output_file, 'w', encoding='utf-8') as f:
f.write(content)
print(f"\nFindings document saved to: {output_file}")
return output_file
def run_rag_for_technique_sequential(technique_name, query, index, encoder, models, evaluator, rag_engine, retriever, retrieval_strategy):
"""Run RAG pipeline for a specific chunking technique and retrieval strategy (sequential)."""
mode = retrieval_strategy['mode']
use_mmr = retrieval_strategy['use_mmr']
strategy_label = retrieval_strategy['label']
print(f"\n{'='*80}")
print(f"TECHNIQUE: {technique_name.upper()} | STRATEGY: {strategy_label}")
print(f"{'='*80}")
# Use HybridRetriever to retrieve chunks
context_chunks, chunk_score = retriever.search(
query=query,
index=index,
mode=mode,
rerank_strategy="cross-encoder",
use_mmr=use_mmr,
top_k=50,
final_k=5,
technique_name=technique_name,
verbose=False,
test=True
)
print(f"\nRetrieved {len(context_chunks)} chunks for technique '{technique_name}' with strategy '{strategy_label}' (ChunkScore: {chunk_score:.4f})")
if not context_chunks:
print(f"WARNING: No chunks found for technique '{technique_name}'")
return {}
# Print the final RAG context being passed to models (only once)
print(f"\n{'='*80}")
print(f"📚 FINAL RAG CONTEXT FOR TECHNIQUE '{technique_name.upper()}'")
print(f"{'='*80}")
for i, chunk in enumerate(context_chunks, 1):
print(f"\n[Chunk {i}] ({len(chunk)} chars):")
print(f"{'─'*60}")
print(chunk)
print(f"{'─'*60}")
print(f"\n{'='*80}")
# Run model tournament for this technique
tournament_results = {}
tournament_results["_ChunkScore"] = chunk_score
tournament_results["_Strategy"] = strategy_label
for name, model_inst in models.items():
print(f"\n{'-'*60}")
print(f"Model: {name}")
print(f"{'-'*60}")
try:
# Generation
answer = rag_engine.get_answer(
model_inst, query, context_chunks,
temperature=cfg.gen['temperature']
)
print(f"\n{'─'*60}")
print(f"📝 FULL ANSWER from {name}:")
print(f"{'─'*60}")
print(answer)
print(f"{'─'*60}")
# Faithfulness Evaluation (strict=False reduces API calls from ~22 to ~3 per eval)
faith = evaluator.evaluate_faithfulness(answer, context_chunks, strict=False)
# Relevancy Evaluation
rel = evaluator.evaluate_relevancy(query, answer)
tournament_results[name] = {
"answer": answer,
"Faithfulness": faith['score'],
"Relevancy": rel['score'],
"Claims": faith['details'],
"context_chunks": context_chunks,
}
print(f"\n📊 EVALUATION SCORES:")
print(f" Faithfulness: {faith['score']:.1f}%")
print(f" Relevancy: {rel['score']:.3f}")
print(f" Combined: {faith['score'] + rel['score']:.3f}")
except Exception as e:
print(f" Error evaluating {name}: {e}")
tournament_results[name] = {
"answer": "",
"Faithfulness": 0,
"Relevancy": 0,
"Claims": [],
"error": str(e),
"context_chunks": context_chunks,
}
return tournament_results
def main():
"""Main function to run RAG ablation study across all 6 chunking techniques."""
hf_token = os.getenv("HF_TOKEN")
pinecone_key = os.getenv("PINECONE_API_KEY")
openrouter_key = os.getenv("OPENROUTER_API_KEY")
# Verify environment variables
if not hf_token:
raise RuntimeError("HF_TOKEN not found in environment variables")
if not pinecone_key:
raise RuntimeError("PINECONE_API_KEY not found in environment variables")
if not openrouter_key:
raise RuntimeError("OPENROUTER_API_KEY not found in environment variables")
# Test queries
test_queries = [
"What is cognitive behavior therapy and how does it work?",
"I feel like a complete failure because I made a mistake at work today. Everyone must think I am incompetent, and I will probably get fired. I just want to hide.",
"No matter what I do, my anxiety will not go away. I am constantly worried about the future and avoid social situations because of it.",
"I have been feeling really down lately and have no energy. It feels like nothing will ever get better and there is no point in trying."
]
print("=" * 80)
print("RAG ABLATION STUDY - 6 CHUNKING TECHNIQUES")
print("=" * 80)
print(f"\nTest Queries:")
for i, q in enumerate(test_queries, 1):
print(f" {i}. {q}")
# Step 1: Check if data already exists, skip ingestion if so
print("\n" + "=" * 80)
print("STEP 1: CHECKING/INGESTING DATA WITH ALL 6 TECHNIQUES")
print("=" * 80)
# Check if index already has data
from data.vector_db import get_index_by_name
index_name = f"{cfg.db['base_index_name']}-{cfg.processing['technique']}"
print(f"\n[DEBUG] Checking for existing index: {index_name}")
try:
# Try to connect to existing index
print("[DEBUG] Connecting to Pinecone...")
existing_index = get_index_by_name(pinecone_key, index_name)
print("[DEBUG] Getting index stats...")
stats = existing_index.describe_index_stats()
existing_count = stats.get('total_vector_count', 0)
if existing_count > 0:
print(f"\n[DEBUG] ✓ Found existing index with {existing_count} vectors")
print("[DEBUG] Skipping ingestion - using existing data")
# Initialize processor (this loads the embedding model)
print("[DEBUG] About to load embedding model...")
print(f"[DEBUG] Model: {cfg.processing['embedding_model']}")
import sys
sys.stdout.flush()
from retriever.processor import ChunkProcessor
print("[DEBUG] ChunkProcessor imported successfully")
sys.stdout.flush()
print("[DEBUG] Creating ChunkProcessor instance...")
sys.stdout.flush()
proc = ChunkProcessor(model_name=cfg.processing['embedding_model'], verbose=False)
print("[DEBUG] ChunkProcessor created successfully")
sys.stdout.flush()
index = existing_index
all_chunks = [] # Empty since we're using existing data
final_chunks = []
print("[DEBUG] ✓ Processor initialized")
else:
print("\n[DEBUG] Index exists but is empty. Running full ingestion...")
all_chunks, final_chunks, proc, index = ingest_data()
except Exception as e:
print(f"\n[DEBUG] Index check failed: {e}")
import traceback
traceback.print_exc()
print("[DEBUG] Running full ingestion...")
all_chunks, final_chunks, proc, index = ingest_data()
print(f"\nTechniques to evaluate: {[tech['name'] for tech in CHUNKING_TECHNIQUES]}")
# Step 2: Components will be initialized in Step 3 (shared across all sequential runs)
print("\n" + "=" * 80)
print("[DEBUG] STEP 2: PREPARING FOR SEQUENTIAL EXECUTION")
print("=" * 80)
print(f"[DEBUG] Techniques to evaluate: {[t['name'] for t in CHUNKING_TECHNIQUES]}")
# print(f"[DEBUG] Filtered techniques: {TECHNIQUES_TO_EVALUATE}")
# Define retrieval strategies to test
RETRIEVAL_STRATEGIES = [
{"mode": "hybrid", "use_mmr": False, "label": "hybrid-no-mmr"},
]
# Filter to only 4 techniques to reduce memory usage
TECHNIQUES_TO_EVALUATE = ["markdown", "recursive", "paragraph"]
CHUNKING_TECHNIQUES_FILTERED = [t for t in CHUNKING_TECHNIQUES if t['name'] in TECHNIQUES_TO_EVALUATE]
# Step 3: Run RAG for all techniques x strategies SEQUENTIALLY (to avoid OOM)
print("\n" + "=" * 80)
print(f"STEP 3: RUNNING RAG FOR {len(CHUNKING_TECHNIQUES_FILTERED)} TECHNIQUES x {len(RETRIEVAL_STRATEGIES)} STRATEGIES (SEQUENTIAL)")
print("=" * 80)
print(f"\nTechniques: {TECHNIQUES_TO_EVALUATE}")
print(f"\nRetrieval Strategies:")
for i, strat in enumerate(RETRIEVAL_STRATEGIES, 1):
mmr_status = "with MMR" if strat['use_mmr'] else "no MMR"
print(f" {i}. {strat['label']}: mode={strat['mode']}, {mmr_status}")
# Initialize components once (shared across all sequential runs)
print("\n[DEBUG] Initializing components...")
import sys
sys.stdout.flush()
print("[DEBUG] Creating RAGGenerator...")
sys.stdout.flush()
rag_engine = RAGGenerator()
print("[DEBUG] RAGGenerator created")
sys.stdout.flush()
print(f"[DEBUG] Loading models: {cfg.model_list}")
sys.stdout.flush()
models = {name: MODEL_MAP[name](token=hf_token) for name in cfg.model_list}
print("[DEBUG] Models loaded successfully")
sys.stdout.flush()
print("[DEBUG] Creating RAGEvaluator...")
sys.stdout.flush()
evaluator = RAGEvaluator(
judge_model=cfg.gen['judge_model'],
embedding_model=proc.encoder,
api_key=openrouter_key
)
print("[DEBUG] RAGEvaluator created")
sys.stdout.flush()
print("[DEBUG] Creating HybridRetriever...")
sys.stdout.flush()
retriever = HybridRetriever(
embed_model=proc.encoder,
rerank_model_name='rerank-2.5',
verbose=False
)
print("[DEBUG] HybridRetriever created")
sys.stdout.flush()
print("[DEBUG] All components initialized successfully.\n")
all_query_results = {}
for query_idx, query in enumerate(test_queries):
print(f"\n{'='*80}")
print(f"[DEBUG] PROCESSING QUERY {query_idx + 1}/{len(test_queries)}")
print(f"[DEBUG] Query: {query}")
print(f"{'='*80}")
import sys
sys.stdout.flush()
query_results = {}
for technique in CHUNKING_TECHNIQUES_FILTERED:
for strategy in RETRIEVAL_STRATEGIES:
result_key = f"{technique['name']}__{strategy['label']}"
print(f"\n[DEBUG] Processing: {result_key}")
sys.stdout.flush()
try:
result = run_rag_for_technique_sequential(
technique_name=technique['name'],
query=query,
index=index,
encoder=proc.encoder,
models=models,
evaluator=evaluator,
rag_engine=rag_engine,
retriever=retriever,
retrieval_strategy=strategy
)
print(f"[DEBUG] Result for {result_key}: {len(result)} keys")
query_results[result_key] = result
except Exception as e:
import traceback
print(f"\n[DEBUG] ✗ Error processing {result_key}: {e}")
traceback.print_exc()
sys.stdout.flush()
query_results[result_key] = {}
all_query_results[query_idx] = query_results
# Print quick summary for this query
print(f"\n{'='*80}")
print(f"QUERY {query_idx + 1} SUMMARY")
print(f"{'='*80}")
print(f"\n{'Technique':<15} {'Strategy':<20} {'ChunkScore':>12} {'Avg Faith':>12} {'Avg Rel':>12} {'Best Model':<20}")
print("-" * 92)
for result_key, model_results in query_results.items():
if model_results:
chunk_score = model_results.get('_ChunkScore', 0)
strategy = model_results.get('_Strategy', '')
# Exclude _ChunkScore and _Strategy from model averaging
model_only = {k: v for k, v in model_results.items() if not k.startswith('_')}
avg_faith = sum(r.get('Faithfulness', 0) for r in model_only.values()) / len(model_only) if model_only else 0
avg_rel = sum(r.get('Relevancy', 0) for r in model_only.values()) / len(model_only) if model_only else 0
# Find best model
best_model = max(
model_only.items(),
key=lambda x: x[1].get('Faithfulness', 0) + x[1].get('Relevancy', 0)
)
best_name = best_model[0]
print(f"{result_key:<15} {strategy:<20} {chunk_score:>12.4f} {avg_faith:>11.1f}% {avg_rel:>12.3f} {best_name:<20}")
else:
print(f"{result_key:<15} {'':<20} {'N/A':>12} {'N/A':>12} {'N/A':>12} {'N/A':<20}")
print("-" * 92)
# Step 4: Generate findings document from all queries
print("\n" + "=" * 80)
print("STEP 4: GENERATING FINDINGS DOCUMENT")
print("=" * 80)
findings_file = generate_findings_document(all_query_results, test_queries)
# Step 5: Final summary
print("\n" + "=" * 80)
print("ABLATION STUDY COMPLETE - SUMMARY")
print("=" * 80)
print(f"\nQueries processed: {len(test_queries)}")
print(f"Techniques evaluated: {len(CHUNKING_TECHNIQUES_FILTERED)} ({TECHNIQUES_TO_EVALUATE})")
print(f"Models tested: {len(cfg.model_list)}")
print(f"\nFindings document: {findings_file}")
# Print final summary across all queries
print("\n" + "-" * 92)
print(f"{'Technique':<15} {'Strategy':<20} {'ChunkScore':>12} {'Avg Faith':>12} {'Avg Rel':>12} {'Best Model':<20}")
print("-" * 92)
# Define retrieval strategies (same as above)
RETRIEVAL_STRATEGIES = [
{"mode": "hybrid", "use_mmr": False, "label": "hybrid-no-mmr"},
]
# Calculate averages across all queries for each technique x strategy
for tech_config in CHUNKING_TECHNIQUES_FILTERED:
tech_name = tech_config['name']
for strategy in RETRIEVAL_STRATEGIES:
strategy_label = strategy['label']
result_key = f"{tech_name}__{strategy_label}"
all_faith = []
all_rel = []
all_chunk_scores = []
best_model_name = None
best_combined = 0
for query_idx, query_results in all_query_results.items():
if result_key in query_results and query_results[result_key]:
model_results = query_results[result_key]
# Extract ChunkScore
chunk_score = model_results.get('_ChunkScore', 0)
all_chunk_scores.append(chunk_score)
# Exclude _ChunkScore and _Strategy from model averaging
model_only = {k: v for k, v in model_results.items() if not k.startswith('_')}
for model_name, results in model_only.items():
faith = results.get('Faithfulness', 0)
rel = results.get('Relevancy', 0)
combined = faith + rel
all_faith.append(faith)
all_rel.append(rel)
if combined > best_combined:
best_combined = combined
best_model_name = model_name
if all_faith:
avg_faith = sum(all_faith) / len(all_faith)
avg_rel = sum(all_rel) / len(all_rel)
avg_chunk_score = sum(all_chunk_scores) / len(all_chunk_scores) if all_chunk_scores else 0
print(f"{tech_name:<15} {strategy_label:<20} {avg_chunk_score:>12.4f} {avg_faith:>11.1f}% {avg_rel:>12.3f} {best_model_name or 'N/A':<20}")
else:
print(f"{tech_name:<15} {strategy_label:<20} {'N/A':>12} {'N/A':>12} {'N/A':>12} {'N/A':<20}")
print("-" * 92)
print("\n✓ Ablation study complete!")
print(f"✓ Results saved to: {findings_file}")
print("\nYou can now analyze the findings document to compare chunking techniques.")
return all_query_results
if __name__ == "__main__":
main()