File size: 9,892 Bytes
dcc24f8
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
"""
Create Multi-Bank Clean Benchmark.

Creates a high-quality benchmark from real transaction emails
across multiple banks: HDFC, ICICI, SBI, Axis, Kotak, PhonePe, GPay, Paytm.

Author: Ranjit Behera
"""

import json
import re
import random
from pathlib import Path
from collections import defaultdict

CORPUS_FILE = Path("data/corpus/emails/financial_emails.jsonl")
BENCHMARK_FILE = Path("data/benchmark/multi_bank_benchmark.json")


def detect_bank(body: str, sender: str = "") -> str:
    """Detect bank from email content and sender."""
    text = (body + " " + sender).lower()
    
    if 'hdfc' in text:
        return 'hdfc'
    elif 'icici' in text:
        return 'icici'
    elif 'sbi' in text or 'state bank' in text:
        return 'sbi'
    elif 'axis' in text:
        return 'axis'
    elif 'kotak' in text:
        return 'kotak'
    elif 'phonepe' in text:
        return 'phonepe'
    elif 'gpay' in text or 'google pay' in text:
        return 'gpay'
    elif 'paytm' in text:
        return 'paytm'
    
    return ''


def extract_entities(body: str, bank: str) -> dict:
    """Extract entities from email based on bank format."""
    entities = {
        'amount': '',
        'type': '',
        'date': '',
        'account': '',
        'reference': '',
        'merchant': '',
        'bank': bank
    }
    
    # Amount patterns (works across banks)
    amount_patterns = [
        r'Rs\.?\s*([\d,]+\.?\d*)',
        r'INR\s*([\d,]+\.?\d*)',
        r'₹\s*([\d,]+\.?\d*)',
    ]
    for pattern in amount_patterns:
        match = re.search(pattern, body, re.IGNORECASE)
        if match:
            entities['amount'] = match.group(1).replace(',', '')
            break
    
    # Type detection
    body_lower = body.lower()
    if any(x in body_lower for x in ['debited', 'sent', 'paid', 'payment of']):
        entities['type'] = 'debit'
    elif any(x in body_lower for x in ['credited', 'received', 'added']):
        entities['type'] = 'credit'
    
    # Bank-specific patterns
    if bank == 'hdfc':
        # HDFC: "from account 3545" or "A/c **3545"
        match = re.search(r'(?:account|A/c\s*\**)(\d{4})', body)
        if match:
            entities['account'] = match.group(1)
        
        # Date: "on 22-12-25"
        match = re.search(r'on\s*(\d{1,2}-\d{1,2}-\d{2,4})', body)
        if match:
            entities['date'] = match.group(1)
        
        # Reference: "reference number is 535680069988"
        match = re.search(r'reference number is\s*(\d{10,})', body)
        if match:
            entities['reference'] = match.group(1)
    
    elif bank == 'icici':
        # ICICI: "A/c XX5061" or "Acct XX4872"
        match = re.search(r'(?:A/c|Acct)\s*XX(\d{4})', body, re.IGNORECASE)
        if match:
            entities['account'] = match.group(1)
        
        # Date: "on 11112025" or "on 13 Nov 2025"
        match = re.search(r'on\s*(\d{8}|\d{1,2}\s+\w+\s+\d{4}|\d{1,2}-\d{1,2}-\d{2,4})', body)
        if match:
            entities['date'] = match.group(1)
        
        # Reference: "Ref:230788137103" or "IMPS Ref 928612436713"
        match = re.search(r'Ref[:\s]*(\d{10,})', body, re.IGNORECASE)
        if match:
            entities['reference'] = match.group(1)
    
    elif bank == 'sbi':
        # SBI: "a/c XX9666" or "A/c X2771"
        match = re.search(r'[Aa]/c\s*X+(\d{4})', body)
        if match:
            entities['account'] = match.group(1)
        
        # Date
        match = re.search(r'on\s*(\d{1,2}-\d{1,2}-\d{2,4}|\d{1,2}/\d{1,2}/\d{4}|\d{1,2}\s+\w+\s+\d{4})', body)
        if match:
            entities['date'] = match.group(1)
        
        # Reference
        match = re.search(r'Ref\s*(\d{10,})', body, re.IGNORECASE)
        if match:
            entities['reference'] = match.group(1)
    
    elif bank == 'axis':
        # Axis: "Acct XX4185" or "A/c XX3041"
        match = re.search(r'(?:Acct|A/c)\s*XX(\d{4})', body, re.IGNORECASE)
        if match:
            entities['account'] = match.group(1)
        
        # Date
        match = re.search(r'on\s*(\d{8}|\d{1,2}-\d{1,2}-\d{4}|\d{1,2}/\d{1,2}/\d{4})', body)
        if match:
            entities['date'] = match.group(1)
        
        # Reference
        match = re.search(r'Ref\s*(\d{10,})', body, re.IGNORECASE)
        if match:
            entities['reference'] = match.group(1)
    
    elif bank == 'kotak':
        # Kotak: "A/c XX6934" or "A/c 9817"
        match = re.search(r'A/c\s*(?:XX)?(\d{4})', body, re.IGNORECASE)
        if match:
            entities['account'] = match.group(1)
        
        # Date
        match = re.search(r'on\s*(\d{8}|\d{1,2}-\d{1,2}-\d{2,4}|\d{1,2}\s+\w+\s+\d{4})', body)
        if match:
            entities['date'] = match.group(1)
        
        # Reference
        match = re.search(r'Ref[:\s.]*(\d{10,})', body, re.IGNORECASE)
        if match:
            entities['reference'] = match.group(1)
    
    elif bank in ['phonepe', 'gpay', 'paytm']:
        # Payment apps: various patterns
        match = re.search(r'(?:a/c|account)\s*(?:XX)?(\d{4})', body, re.IGNORECASE)
        if match:
            entities['account'] = match.group(1)
        
        # Date
        match = re.search(r'(\d{1,2}[-/]\d{1,2}[-/]\d{2,4}|\d{1,2}\s+\w+\s+\d{4})', body)
        if match:
            entities['date'] = match.group(1)
        
        # Reference/Txn ID
        match = re.search(r'(?:Ref|Txn\s*ID)[:\s]*(\d{10,})', body, re.IGNORECASE)
        if match:
            entities['reference'] = match.group(1)
    
    # Merchant from VPA (works across banks)
    vpa_match = re.search(r'VPA[:\s]+\S+\s+([A-Z][A-Za-z\s]+?)(?:\s+on|\s+\d|$)', body)
    if vpa_match:
        merchant = vpa_match.group(1).strip().lower()
        if len(merchant) > 2 and len(merchant) < 50:
            entities['merchant'] = merchant
    
    # Also try UPI: pattern
    if not entities['merchant']:
        upi_match = re.search(r'UPI[:\s-]+([A-Za-z]+)', body)
        if upi_match:
            entities['merchant'] = upi_match.group(1).lower()
    
    return entities


def create_multi_bank_benchmark():
    """Create benchmark with multiple banks."""
    print("=" * 60)
    print("📊 CREATING MULTI-BANK BENCHMARK")
    print("=" * 60)
    
    # Collect transactions by bank
    bank_transactions = defaultdict(list)
    
    with open(CORPUS_FILE, 'r') as f:
        for line in f:
            try:
                data = json.loads(line)
                body = data.get('body', '')
                sender = data.get('sender', '')
                
                # Must have transaction keywords
                body_lower = body.lower()
                has_transaction = any(x in body_lower for x in 
                    ['debited', 'credited', 'received', 'sent', 'paid', 'payment'])
                has_amount = any(x in body_lower for x in ['rs.', 'rs ', 'inr', '₹'])
                
                if not (has_transaction and has_amount and len(body) > 50):
                    continue
                
                # Detect bank
                bank = detect_bank(body, sender)
                if not bank:
                    continue
                
                # Extract entities
                entities = extract_entities(body, bank)
                
                # Only include if we have good extraction
                if entities['amount'] and entities['type']:
                    bank_transactions[bank].append({
                        'text': body,
                        'expected_entities': entities,
                        'subject': data.get('subject', ''),
                        'verified': True
                    })
            except:
                continue
    
    print("\n📊 Transactions found by bank:")
    for bank, txns in sorted(bank_transactions.items()):
        print(f"   {bank.upper():10} {len(txns):4} transactions")
    
    # Sample from each bank (max 20 per bank)
    random.seed(42)
    benchmark = []
    
    for bank, txns in bank_transactions.items():
        # Deduplicate by reference if available
        seen_refs = set()
        unique_txns = []
        for t in txns:
            ref = t['expected_entities'].get('reference', '')
            if ref:
                if ref not in seen_refs:
                    seen_refs.add(ref)
                    unique_txns.append(t)
            else:
                unique_txns.append(t)
        
        # Sample
        sampled = random.sample(unique_txns, min(20, len(unique_txns)))
        benchmark.extend(sampled)
    
    # Add IDs
    for i, sample in enumerate(benchmark):
        sample['id'] = i + 1
    
    # Shuffle
    random.shuffle(benchmark)
    
    # Save
    BENCHMARK_FILE.parent.mkdir(parents=True, exist_ok=True)
    with open(BENCHMARK_FILE, 'w') as f:
        json.dump(benchmark, f, indent=2, ensure_ascii=False)
    
    print(f"\n✅ Saved {len(benchmark)} samples to {BENCHMARK_FILE}")
    
    # Stats by bank
    bank_counts = defaultdict(int)
    for s in benchmark:
        bank_counts[s['expected_entities']['bank']] += 1
    
    print("\n📊 Benchmark composition:")
    for bank, count in sorted(bank_counts.items()):
        print(f"   {bank.upper():10} {count:3} samples")
    
    # Show sample from each bank
    print("\n📧 Sample from each bank:")
    shown_banks = set()
    for s in benchmark:
        bank = s['expected_entities']['bank']
        if bank not in shown_banks:
            shown_banks.add(bank)
            print(f"\n   [{bank.upper()}]")
            print(f"   Amount: {s['expected_entities']['amount']}")
            print(f"   Type: {s['expected_entities']['type']}")
            print(f"   Text: {s['text'][:100]}...")
            if len(shown_banks) >= 4:
                break
    
    return benchmark


if __name__ == "__main__":
    create_multi_bank_benchmark()