File size: 9,245 Bytes
9101d7e |
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 |
#!/usr/bin/env python3
"""
Step 3: Baseline Test
=====================
Tests the current finee extractor on the cleaned training data
to establish a baseline before fine-tuning.
This answers: "How good is our Regex engine on real data?"
Usage:
python step3_baseline.py --input step2_training_ready.csv
"""
import argparse
import json
import pandas as pd
from pathlib import Path
from typing import Dict, Any, List
from datetime import datetime
import sys
# Add parent to path for imports
sys.path.insert(0, str(Path(__file__).parent.parent.parent))
try:
from finee import extract
from finee.schema import ExtractionResult
except ImportError:
print("β finee not installed!")
print(" Run: pip install finee")
sys.exit(1)
def extract_and_analyze(row: Dict[str, Any]) -> Dict[str, Any]:
"""Extract entities from a message and analyze results."""
body = str(row.get('body', ''))
try:
result = extract(body)
return {
# Original data
'timestamp': row.get('timestamp', ''),
'sender': row.get('sender', ''),
'body': body[:200] + '...' if len(body) > 200 else body,
'source': row.get('source', ''),
# Extracted fields
'extracted_amount': result.amount,
'extracted_type': result.type.value if result.type else None,
'extracted_account': result.account,
'extracted_date': result.date,
'extracted_reference': result.reference,
'extracted_vpa': result.vpa,
'extracted_merchant': result.merchant,
'extracted_category': result.category.value if result.category else None,
'extracted_confidence': result.confidence.value if result.confidence else None,
'extracted_confidence_score': result.confidence_score,
# Quality metrics
'has_amount': result.amount is not None,
'has_type': result.type is not None,
'has_merchant': result.merchant is not None,
'has_category': result.category is not None,
'fields_extracted': sum([
result.amount is not None,
result.type is not None,
result.account is not None,
result.date is not None,
result.reference is not None,
result.merchant is not None,
result.category is not None,
]),
# Processing info
'processing_time_ms': result.processing_time_ms,
'extraction_success': result.amount is not None and result.type is not None,
}
except Exception as e:
return {
'timestamp': row.get('timestamp', ''),
'sender': row.get('sender', ''),
'body': body[:200],
'source': row.get('source', ''),
'extraction_error': str(e),
'extraction_success': False,
}
def run_baseline(df: pd.DataFrame) -> pd.DataFrame:
"""Run baseline extraction on all rows."""
print("=" * 60)
print("π STEP 3: BASELINE TEST")
print("=" * 60)
print(f"\nTesting finee extractor on {len(df):,} messages...")
print("(This tests Regex-only mode, no LLM)\n")
results = []
success_count = 0
for i, (_, row) in enumerate(df.iterrows()):
result = extract_and_analyze(row.to_dict())
results.append(result)
if result.get('extraction_success'):
success_count += 1
# Progress every 100
if (i + 1) % 100 == 0:
pct = 100 * success_count / (i + 1)
print(f" Processed {i+1:,}/{len(df):,} ({pct:.1f}% success rate)")
return pd.DataFrame(results)
def analyze_results(results_df: pd.DataFrame) -> Dict[str, Any]:
"""Analyze extraction results."""
total = len(results_df)
# Core metrics
success_count = results_df['extraction_success'].sum()
has_amount = results_df['has_amount'].sum()
has_type = results_df['has_type'].sum()
has_merchant = results_df['has_merchant'].sum()
has_category = results_df['has_category'].sum()
# Confidence distribution
confidence_counts = results_df['extracted_confidence'].value_counts().to_dict()
# Type distribution
type_counts = results_df['extracted_type'].value_counts().to_dict()
# Category distribution
category_counts = results_df['extracted_category'].value_counts().to_dict()
# Top merchants
merchant_counts = results_df['extracted_merchant'].value_counts().head(20).to_dict()
# Performance
avg_time = results_df['processing_time_ms'].mean()
analysis = {
'total_messages': total,
'extraction_success_rate': 100 * success_count / total,
'field_coverage': {
'amount': 100 * has_amount / total,
'type': 100 * has_type / total,
'merchant': 100 * has_merchant / total,
'category': 100 * has_category / total,
},
'confidence_distribution': confidence_counts,
'type_distribution': type_counts,
'category_distribution': category_counts,
'top_merchants': merchant_counts,
'avg_processing_time_ms': avg_time,
'timestamp': datetime.now().isoformat(),
}
return analysis
def print_analysis(analysis: Dict[str, Any]) -> None:
"""Print analysis results."""
print("\n" + "=" * 60)
print("π BASELINE RESULTS")
print("=" * 60)
print(f"\nπ COVERAGE:")
print(f" Total messages: {analysis['total_messages']:,}")
print(f" Extraction success: {analysis['extraction_success_rate']:.1f}%")
print(f"\nπ FIELD COVERAGE:")
for field, pct in analysis['field_coverage'].items():
status = "β
" if pct >= 80 else "β οΈ" if pct >= 50 else "β"
print(f" {field:12} {pct:5.1f}% {status}")
print(f"\nπ CONFIDENCE DISTRIBUTION:")
for level, count in sorted(analysis['confidence_distribution'].items(), key=lambda x: -x[1]):
if level:
pct = 100 * count / analysis['total_messages']
print(f" {level:10} {count:,} ({pct:.1f}%)")
print(f"\nπ³ TRANSACTION TYPES:")
for txn_type, count in sorted(analysis['type_distribution'].items(), key=lambda x: -x[1]):
if txn_type:
pct = 100 * count / analysis['total_messages']
print(f" {txn_type:10} {count:,} ({pct:.1f}%)")
print(f"\nπͺ TOP 10 MERCHANTS:")
for i, (merchant, count) in enumerate(list(analysis['top_merchants'].items())[:10]):
if merchant:
print(f" {i+1:2}. {merchant:20} {count:,}")
print(f"\nβ‘ PERFORMANCE:")
print(f" Avg processing time: {analysis['avg_processing_time_ms']:.2f}ms")
print(f" Throughput: ~{1000/analysis['avg_processing_time_ms']:.0f} msg/sec")
print("\n" + "=" * 60)
def main():
parser = argparse.ArgumentParser(description="Step 3: Baseline extraction test")
parser.add_argument("--input", "-i", default="data/pipeline/step2_training_ready.csv",
help="Input CSV from step 2")
parser.add_argument("--output", "-o", default="data/pipeline/step3_baseline_results.csv",
help="Output CSV with extraction results")
parser.add_argument("--limit", "-n", type=int, default=None,
help="Limit number of rows to process (for testing)")
args = parser.parse_args()
input_path = Path(args.input)
if not input_path.exists():
print(f"β Input file not found: {input_path}")
print(f" Run step2_filter.py first!")
return
# Load data
print(f"\nπ Loading: {input_path}")
df = pd.read_csv(input_path)
if args.limit:
df = df.head(args.limit)
print(f" (Limited to {args.limit} rows for testing)")
print(f" Loaded {len(df):,} records")
# Run baseline
results_df = run_baseline(df)
# Analyze
analysis = analyze_results(results_df)
print_analysis(analysis)
# Save results
output_path = Path(args.output)
output_path.parent.mkdir(parents=True, exist_ok=True)
results_df.to_csv(output_path, index=False)
print(f"\nβ
Saved extraction results to: {output_path}")
# Save analysis as JSON
analysis_path = output_path.parent / "step3_baseline_analysis.json"
with open(analysis_path, 'w') as f:
json.dump(analysis, f, indent=2, default=str)
print(f" Analysis saved to: {analysis_path}")
# Summary
success_rate = analysis['extraction_success_rate']
if success_rate >= 80:
print(f"\nπ Great! {success_rate:.1f}% success rate. Regex is working well!")
elif success_rate >= 50:
print(f"\nβ οΈ {success_rate:.1f}% success rate. Room for improvement.")
print(" Consider adding more regex patterns or enabling LLM mode.")
else:
print(f"\nβ Low {success_rate:.1f}% success rate.")
print(" Your data may have unusual formats. Review failed extractions.")
if __name__ == "__main__":
main()
|