File size: 15,434 Bytes
10ff0db | 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 | """
Post-Extraction Validation Engine.
Performs programmatic validation checks on extracted financial data
that complement the model's anomaly detection:
1. Arithmetic Consistency — line items sum to subtotal, subtotal + tax = total
2. Required Field Completeness — checks for missing critical fields per doc type
3. Date Format Validation — ensures dates are valid and reasonable
4. Cross-Field Reference Checks — currency consistency, PO references
Usage:
from src.validator import validate_extraction
extra_flags = validate_extraction(json_data)
# Returns list of additional anomaly flag dicts
"""
import re
from datetime import datetime
from typing import List, Optional
def validate_extraction(data: dict) -> List[dict]:
"""
Run all validation checks on extracted document data.
Args:
data: Parsed JSON dict from model output.
Returns:
List of additional anomaly flags not detected by the model.
"""
flags = []
flags.extend(_check_arithmetic(data))
flags.extend(_check_required_fields(data))
flags.extend(_check_date_formats(data))
flags.extend(_check_cross_field(data))
flags.extend(_check_business_logic(data))
return flags
def _check_arithmetic(data: dict) -> List[dict]:
"""Verify that math adds up in the document."""
flags = []
common = data.get("common", {})
line_items = data.get("line_items", [])
type_specific = data.get("type_specific", {})
# Check 1: Line item amounts = quantity × unit_price
for i, item in enumerate(line_items or []):
qty = item.get("quantity")
price = item.get("unit_price")
amount = item.get("amount")
if qty is not None and price is not None and amount is not None:
try:
expected = round(float(qty) * float(price), 2)
actual = round(float(amount), 2)
if abs(expected - actual) > 0.02: # 2 cent tolerance
flags.append({
"category": "arithmetic_error",
"field": f"line_items[{i}].amount",
"severity": "high",
"description": (
f"Line item '{item.get('description', '?')}': "
f"amount {actual} ≠quantity ({qty}) × unit_price ({price}) = {expected}"
),
"source": "validator",
})
except (ValueError, TypeError):
pass
# Check 2: Line items sum to subtotal
if line_items:
try:
items_sum = round(sum(
float(item.get("amount", 0) or 0) for item in line_items
), 2)
subtotal = type_specific.get("subtotal")
if subtotal is not None:
subtotal = round(float(subtotal), 2)
if abs(items_sum - subtotal) > 0.05:
flags.append({
"category": "arithmetic_error",
"field": "type_specific.subtotal",
"severity": "high",
"description": (
f"Sum of line items ({items_sum}) ≠subtotal ({subtotal}). "
f"Discrepancy: {abs(items_sum - subtotal):.2f}"
),
"source": "validator",
})
except (ValueError, TypeError):
pass
# Check 3: Subtotal + tax = total
subtotal = type_specific.get("subtotal")
tax = type_specific.get("tax_amount")
total = common.get("total_amount")
if subtotal is not None and tax is not None and total is not None:
try:
expected_total = round(float(subtotal) + float(tax), 2)
actual_total = round(float(total), 2)
if abs(expected_total - actual_total) > 0.05:
flags.append({
"category": "arithmetic_error",
"field": "common.total_amount",
"severity": "high",
"description": (
f"Total ({actual_total}) ≠subtotal ({subtotal}) + tax ({tax}) = {expected_total}. "
f"Discrepancy: {abs(expected_total - actual_total):.2f}"
),
"source": "validator",
})
except (ValueError, TypeError):
pass
# Check 4: Bank statement — opening + transactions = closing
if common.get("document_type") == "bank_statement":
opening = type_specific.get("opening_balance")
closing = type_specific.get("closing_balance")
if opening is not None and closing is not None and line_items:
try:
txn_sum = sum(float(item.get("amount", 0) or 0) for item in line_items)
expected_closing = round(float(opening) + txn_sum, 2)
actual_closing = round(float(closing), 2)
if abs(expected_closing - actual_closing) > 0.10:
flags.append({
"category": "arithmetic_error",
"field": "type_specific.closing_balance",
"severity": "high",
"description": (
f"Closing balance ({actual_closing}) ≠opening ({opening}) + "
f"transactions ({txn_sum:.2f}) = {expected_closing}"
),
"source": "validator",
})
except (ValueError, TypeError):
pass
return flags
def _check_required_fields(data: dict) -> List[dict]:
"""Check for missing critical fields based on document type."""
flags = []
common = data.get("common", {})
type_specific = data.get("type_specific", {})
doc_type = common.get("document_type", "")
# Universal required fields
universal = {
"common.date": common.get("date"),
"common.total_amount": common.get("total_amount"),
"common.issuer": common.get("issuer"),
}
for field_path, value in universal.items():
if value is None:
flags.append({
"category": "missing_field",
"field": field_path,
"severity": "medium",
"description": f"Required field '{field_path}' is missing.",
"source": "validator",
})
# Type-specific required fields
required_by_type = {
"invoice": ["invoice_number", "due_date", "subtotal"],
"purchase_order": ["po_number", "delivery_date"],
"receipt": ["receipt_number"],
"bank_statement": ["account_number", "opening_balance", "closing_balance"],
}
for field_name in required_by_type.get(doc_type, []):
if type_specific.get(field_name) is None:
flags.append({
"category": "missing_field",
"field": f"type_specific.{field_name}",
"severity": "low",
"description": f"Expected field '{field_name}' for {doc_type} is missing.",
"source": "validator",
})
# Check issuer has at least a name
issuer = common.get("issuer")
if isinstance(issuer, dict) and not issuer.get("name"):
flags.append({
"category": "missing_field",
"field": "common.issuer.name",
"severity": "medium",
"description": "Issuer entity is present but name is missing.",
"source": "validator",
})
return flags
def _check_date_formats(data: dict) -> List[dict]:
"""Validate date fields are in proper format and reasonable range."""
flags = []
common = data.get("common", {})
type_specific = data.get("type_specific", {})
date_fields = {
"common.date": common.get("date"),
"type_specific.due_date": type_specific.get("due_date"),
"type_specific.delivery_date": type_specific.get("delivery_date"),
}
for field_path, date_str in date_fields.items():
if date_str is None:
continue
if not isinstance(date_str, str):
continue
# Check YYYY-MM-DD format
date_pattern = r'^\d{4}-\d{2}-\d{2}$'
if not re.match(date_pattern, date_str):
flags.append({
"category": "format_anomaly",
"field": field_path,
"severity": "medium",
"description": f"Date '{date_str}' is not in standard YYYY-MM-DD format.",
"source": "validator",
})
continue
# Check if date is actually valid
try:
parsed = datetime.strptime(date_str, "%Y-%m-%d")
# Check reasonable range (not before year 2000 or more than 2 years in future)
now = datetime.now()
if parsed.year < 2000:
flags.append({
"category": "format_anomaly",
"field": field_path,
"severity": "low",
"description": f"Date '{date_str}' is before year 2000, which is unusual.",
"source": "validator",
})
elif parsed > now.replace(year=now.year + 2):
flags.append({
"category": "format_anomaly",
"field": field_path,
"severity": "medium",
"description": f"Date '{date_str}' is more than 2 years in the future.",
"source": "validator",
})
except ValueError:
flags.append({
"category": "format_anomaly",
"field": field_path,
"severity": "medium",
"description": f"Date '{date_str}' is not a valid calendar date.",
"source": "validator",
})
return flags
def _check_cross_field(data: dict) -> List[dict]:
"""Check for inconsistencies between related fields."""
flags = []
common = data.get("common", {})
type_specific = data.get("type_specific", {})
# Check: due_date should be after invoice date
doc_date = common.get("date")
due_date = type_specific.get("due_date")
if doc_date and due_date:
try:
d1 = datetime.strptime(doc_date, "%Y-%m-%d")
d2 = datetime.strptime(due_date, "%Y-%m-%d")
if d2 < d1:
flags.append({
"category": "cross_field",
"field": "type_specific.due_date",
"severity": "high",
"description": f"Due date ({due_date}) is before document date ({doc_date}).",
"source": "validator",
})
except ValueError:
pass
# Check: delivery date should be after PO date
delivery_date = type_specific.get("delivery_date")
if doc_date and delivery_date:
try:
d1 = datetime.strptime(doc_date, "%Y-%m-%d")
d2 = datetime.strptime(delivery_date, "%Y-%m-%d")
if d2 < d1:
flags.append({
"category": "cross_field",
"field": "type_specific.delivery_date",
"severity": "medium",
"description": f"Delivery date ({delivery_date}) is before PO date ({doc_date}).",
"source": "validator",
})
except ValueError:
pass
# Check: negative total amount
total = common.get("total_amount")
if total is not None:
try:
if float(total) < 0:
flags.append({
"category": "cross_field",
"field": "common.total_amount",
"severity": "high",
"description": f"Total amount is negative ({total}), which is unusual.",
"source": "validator",
})
except (ValueError, TypeError):
pass
return flags
def _check_business_logic(data: dict) -> List[dict]:
"""Check for business logic red flags."""
flags = []
common = data.get("common", {})
line_items = data.get("line_items", [])
total = common.get("total_amount")
if total is not None:
try:
total_val = float(total)
# Extremely large amounts
if total_val > 1_000_000:
flags.append({
"category": "business_logic",
"field": "common.total_amount",
"severity": "high",
"description": f"Total amount ${total_val:,.2f} exceeds $1M — requires review.",
"source": "validator",
})
# Perfectly round large amounts (potential fraud indicator)
if total_val >= 10_000 and total_val == int(total_val) and total_val % 1000 == 0:
flags.append({
"category": "business_logic",
"field": "common.total_amount",
"severity": "medium",
"description": (
f"Total amount ${total_val:,.2f} is a perfectly round number — "
f"potential fraud indicator."
),
"source": "validator",
})
except (ValueError, TypeError):
pass
# Check for negative quantities in line items
for i, item in enumerate(line_items or []):
qty = item.get("quantity")
if qty is not None:
try:
if float(qty) < 0:
flags.append({
"category": "format_anomaly",
"field": f"line_items[{i}].quantity",
"severity": "medium",
"description": (
f"Line item '{item.get('description', '?')}' has negative "
f"quantity ({qty})."
),
"source": "validator",
})
except (ValueError, TypeError):
pass
return flags
def merge_flags(model_flags: list, validator_flags: list) -> list:
"""
Merge model-detected and validator-detected flags, removing duplicates.
Deduplication is based on (category, field) pairs.
Args:
model_flags: Flags from the model output.
validator_flags: Flags from programmatic validation.
Returns:
Combined list of unique flags.
"""
seen = set()
merged = []
# Model flags take priority
for flag in model_flags:
key = (flag.get("category", ""), flag.get("field", ""))
if key not in seen:
seen.add(key)
merged.append(flag)
# Add validator flags that aren't duplicates
for flag in validator_flags:
key = (flag.get("category", ""), flag.get("field", ""))
if key not in seen:
seen.add(key)
merged.append(flag)
return merged
|