Upload 6 files
Browse files- config.py +94 -0
- ground_truth.py +143 -0
- main.py +552 -0
- requirements.txt +17 -0
- test.py +98 -0
- test_accuracy.py +380 -0
config.py
ADDED
|
@@ -0,0 +1,94 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
import os
|
| 2 |
+
from pathlib import Path
|
| 3 |
+
from loguru import logger
|
| 4 |
+
from dotenv import load_dotenv
|
| 5 |
+
|
| 6 |
+
load_dotenv()
|
| 7 |
+
|
| 8 |
+
|
| 9 |
+
class Config:
|
| 10 |
+
"""app configuration"""
|
| 11 |
+
|
| 12 |
+
# API stuff
|
| 13 |
+
API_TITLE = "Document Intelligence: Bureau & GST Data Extraction"
|
| 14 |
+
API_VERSION = "1.0.0"
|
| 15 |
+
API_HOST = "127.0.0.1"
|
| 16 |
+
API_PORT = 8000
|
| 17 |
+
|
| 18 |
+
# OpenAI config
|
| 19 |
+
OPENAI_API_KEY = os.getenv("OPENAI_API_KEY", "")
|
| 20 |
+
|
| 21 |
+
# model settings
|
| 22 |
+
OPENAI_MODEL = "gpt-4o-mini" # for RAG
|
| 23 |
+
OPENAI_VISION_MODEL = "gpt-4o" # for vision extraction
|
| 24 |
+
OPENAI_EMBEDDING_MODEL = "text-embedding-3-large"
|
| 25 |
+
OPENAI_TEMPERATURE = 0.0 # deterministic extraction
|
| 26 |
+
|
| 27 |
+
# vision settings
|
| 28 |
+
USE_VISION = True # enable GPT-4 Vision
|
| 29 |
+
VISION_DPI = 200 # image quality for PDF conversion
|
| 30 |
+
VISION_PRIORITY = True # use vision as primary method
|
| 31 |
+
|
| 32 |
+
# RAG settings
|
| 33 |
+
CHUNK_SIZE = 500
|
| 34 |
+
CHUNK_OVERLAP = 50
|
| 35 |
+
TOP_K_CHUNKS = 5
|
| 36 |
+
SIMILARITY_THRESHOLD = 0.3
|
| 37 |
+
|
| 38 |
+
# directories
|
| 39 |
+
BASE_DIR = Path(__file__).parent
|
| 40 |
+
STORAGE_DIR = BASE_DIR / "storage"
|
| 41 |
+
UPLOADS_DIR = STORAGE_DIR / "uploads"
|
| 42 |
+
LOGS_DIR = BASE_DIR / "logs"
|
| 43 |
+
|
| 44 |
+
# default file locations
|
| 45 |
+
DEFAULT_BUREAU_DIR = STORAGE_DIR / "bureau_reports"
|
| 46 |
+
DEFAULT_GST_DIR = STORAGE_DIR / "gst_returns"
|
| 47 |
+
DEFAULT_PARAMETERS_DIR = STORAGE_DIR / "parameters"
|
| 48 |
+
DEFAULT_PARAMETERS_EXCEL = DEFAULT_PARAMETERS_DIR / "Bureau-parameters-Report.xlsx"
|
| 49 |
+
|
| 50 |
+
@classmethod
|
| 51 |
+
def ensure_directories(cls):
|
| 52 |
+
"""create necessary directories"""
|
| 53 |
+
directories = [
|
| 54 |
+
cls.STORAGE_DIR,
|
| 55 |
+
cls.UPLOADS_DIR,
|
| 56 |
+
cls.LOGS_DIR,
|
| 57 |
+
cls.DEFAULT_BUREAU_DIR,
|
| 58 |
+
cls.DEFAULT_GST_DIR,
|
| 59 |
+
cls.DEFAULT_PARAMETERS_DIR
|
| 60 |
+
]
|
| 61 |
+
|
| 62 |
+
for directory in directories:
|
| 63 |
+
directory.mkdir(parents=True, exist_ok=True)
|
| 64 |
+
|
| 65 |
+
@classmethod
|
| 66 |
+
def validate_configuration(cls):
|
| 67 |
+
"""validate config and check for issues"""
|
| 68 |
+
issues = []
|
| 69 |
+
|
| 70 |
+
# check API key
|
| 71 |
+
if not cls.OPENAI_API_KEY:
|
| 72 |
+
issues.append("OPENAI_API_KEY not set")
|
| 73 |
+
|
| 74 |
+
# make sure directories exist
|
| 75 |
+
cls.ensure_directories()
|
| 76 |
+
|
| 77 |
+
# check vision settings
|
| 78 |
+
if cls.USE_VISION and not cls.OPENAI_VISION_MODEL:
|
| 79 |
+
issues.append("USE_VISION=True but OPENAI_VISION_MODEL not set")
|
| 80 |
+
|
| 81 |
+
# log any issues
|
| 82 |
+
for issue in issues:
|
| 83 |
+
logger.error(f"Config issue: {issue}")
|
| 84 |
+
|
| 85 |
+
if len(issues) == 0:
|
| 86 |
+
return True
|
| 87 |
+
return False
|
| 88 |
+
|
| 89 |
+
@classmethod
|
| 90 |
+
def get_default_parameters_excel(cls):
|
| 91 |
+
"""get default parameters Excel file path"""
|
| 92 |
+
if cls.DEFAULT_PARAMETERS_EXCEL.exists():
|
| 93 |
+
return cls.DEFAULT_PARAMETERS_EXCEL
|
| 94 |
+
return None
|
ground_truth.py
ADDED
|
@@ -0,0 +1,143 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
|
| 2 |
+
import json
|
| 3 |
+
from pathlib import Path
|
| 4 |
+
|
| 5 |
+
GROUND_TRUTH_BUREAU = {
|
| 6 |
+
"JEET_ARORA_PARK251217CR671901414.pdf": {
|
| 7 |
+
"bureau_credit_score": {
|
| 8 |
+
"expected_value": 627,
|
| 9 |
+
"value_type": "number",
|
| 10 |
+
"notes": "CRIF Report β PERFORM CONSUMER 2.2 Score Section"
|
| 11 |
+
},
|
| 12 |
+
"bureau_ntc_accepted": {
|
| 13 |
+
"expected_value": None,
|
| 14 |
+
"value_type": "boolean",
|
| 15 |
+
"notes": "Not found in this bureau report"
|
| 16 |
+
},
|
| 17 |
+
"bureau_overdue_threshold": {
|
| 18 |
+
"expected_value": 53270046, # Note: This is 53,270,046 not 5,327,046
|
| 19 |
+
"value_type": "number",
|
| 20 |
+
"notes": "Account Summary - Total Amount Overdue"
|
| 21 |
+
},
|
| 22 |
+
"bureau_dpd_30": {
|
| 23 |
+
"expected_value": None,
|
| 24 |
+
"value_type": "number",
|
| 25 |
+
"notes": "DPD (Days Past Due) buckets not found in this report format"
|
| 26 |
+
},
|
| 27 |
+
"bureau_dpd_60": {
|
| 28 |
+
"expected_value": None,
|
| 29 |
+
"value_type": "number",
|
| 30 |
+
"notes": "DPD (Days Past Due) buckets not found in this report format"
|
| 31 |
+
},
|
| 32 |
+
"bureau_dpd_90": {
|
| 33 |
+
"expected_value": None,
|
| 34 |
+
"value_type": "number",
|
| 35 |
+
"notes": "DPD (Days Past Due) buckets not found in this report format"
|
| 36 |
+
},
|
| 37 |
+
"bureau_settlement_writeoff": {
|
| 38 |
+
"expected_value": "0",
|
| 39 |
+
"value_type": "text",
|
| 40 |
+
"notes": "Account Information Table - Settlement Amt column (all accounts show blank/0)"
|
| 41 |
+
},
|
| 42 |
+
"bureau_no_live_pl_bl": {
|
| 43 |
+
"expected_value": None,
|
| 44 |
+
"value_type": "boolean",
|
| 45 |
+
"notes": "Not found in this bureau report format"
|
| 46 |
+
},
|
| 47 |
+
"bureau_suit_filed": {
|
| 48 |
+
"expected_value": False,
|
| 49 |
+
"value_type": "boolean",
|
| 50 |
+
"notes": "Account Information - Account 8 & 15 Remarks show 'No Suit filed'"
|
| 51 |
+
},
|
| 52 |
+
"bureau_wilful_default": {
|
| 53 |
+
"expected_value": None,
|
| 54 |
+
"value_type": "boolean",
|
| 55 |
+
"notes": "Not found in this bureau report"
|
| 56 |
+
},
|
| 57 |
+
"bureau_written_off_debt_amount": {
|
| 58 |
+
"expected_value": "0",
|
| 59 |
+
"value_type": "text",
|
| 60 |
+
"notes": "Account Information Table - Total Writeoff Amt column shows 0 for all accounts"
|
| 61 |
+
},
|
| 62 |
+
"bureau_max_loans": {
|
| 63 |
+
"expected_value": None,
|
| 64 |
+
"value_type": "number",
|
| 65 |
+
"notes": "Not found - would need to be calculated from active accounts"
|
| 66 |
+
},
|
| 67 |
+
"bureau_loan_amount_threshold": {
|
| 68 |
+
"expected_value": 42300000, # 4,23,00,000
|
| 69 |
+
"value_type": "number",
|
| 70 |
+
"notes": "Account Information, Account 15 (GECL LOAN SECURED), Collateral/Security Details - Security Value"
|
| 71 |
+
},
|
| 72 |
+
"bureau_credit_inquiries": {
|
| 73 |
+
"expected_value": 13,
|
| 74 |
+
"value_type": "number",
|
| 75 |
+
"notes": "Additional Summary - NUM-GRANTORS"
|
| 76 |
+
},
|
| 77 |
+
"bureau_max_active_loans": {
|
| 78 |
+
"expected_value": 25,
|
| 79 |
+
"value_type": "number",
|
| 80 |
+
"notes": "Account Summary - Active Accounts"
|
| 81 |
+
}
|
| 82 |
+
}
|
| 83 |
+
}
|
| 84 |
+
|
| 85 |
+
# Ground truth for GST reports
|
| 86 |
+
# GST sales are returned as an array with month and sales data
|
| 87 |
+
GROUND_TRUTH_GST = {
|
| 88 |
+
"GSTR3B_06AAICK4577H1Z8_012025.pdf": {
|
| 89 |
+
"gst_sales": {
|
| 90 |
+
"expected_value": [
|
| 91 |
+
{
|
| 92 |
+
"month": "January 2025",
|
| 93 |
+
"sales": 951381
|
| 94 |
+
}
|
| 95 |
+
],
|
| 96 |
+
"value_type": "array",
|
| 97 |
+
"notes": "GSTR-3B Table 3.1(a) - Outward taxable supplies total taxable value"
|
| 98 |
+
}
|
| 99 |
+
}
|
| 100 |
+
}
|
| 101 |
+
|
| 102 |
+
|
| 103 |
+
def get_ground_truth(filename: str, parameter_id: str):
|
| 104 |
+
|
| 105 |
+
# Check bureau ground truth
|
| 106 |
+
if filename in GROUND_TRUTH_BUREAU:
|
| 107 |
+
if parameter_id in GROUND_TRUTH_BUREAU[filename]:
|
| 108 |
+
return GROUND_TRUTH_BUREAU[filename][parameter_id]
|
| 109 |
+
|
| 110 |
+
# Check GST ground truth
|
| 111 |
+
if filename in GROUND_TRUTH_GST:
|
| 112 |
+
if parameter_id in GROUND_TRUTH_GST[filename]:
|
| 113 |
+
return GROUND_TRUTH_GST[filename][parameter_id]
|
| 114 |
+
|
| 115 |
+
return None
|
| 116 |
+
|
| 117 |
+
|
| 118 |
+
def save_ground_truth_template(output_path: str):
|
| 119 |
+
|
| 120 |
+
template = {
|
| 121 |
+
"YOUR_DOCUMENT.pdf": {
|
| 122 |
+
"parameter_id_1": {
|
| 123 |
+
"expected_value": "FILL_THIS",
|
| 124 |
+
"value_type": "number|boolean|text|array",
|
| 125 |
+
"notes": "Optional: Add notes about this parameter"
|
| 126 |
+
},
|
| 127 |
+
"parameter_id_2": {
|
| 128 |
+
"expected_value": "FILL_THIS",
|
| 129 |
+
"value_type": "number|boolean|text|array"
|
| 130 |
+
}
|
| 131 |
+
}
|
| 132 |
+
}
|
| 133 |
+
|
| 134 |
+
with open(output_path, 'w') as f:
|
| 135 |
+
json.dump(template, f, indent=2)
|
| 136 |
+
|
| 137 |
+
print(f"Ground truth template saved to: {output_path}")
|
| 138 |
+
print("Fill in the expected values for your test documents!")
|
| 139 |
+
|
| 140 |
+
|
| 141 |
+
if __name__ == "__main__":
|
| 142 |
+
# Generate template for users
|
| 143 |
+
save_ground_truth_template("ground_truth_template.json")
|
main.py
ADDED
|
@@ -0,0 +1,552 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
from fastapi import FastAPI, File, UploadFile, HTTPException
|
| 2 |
+
from fastapi.responses import JSONResponse
|
| 3 |
+
from fastapi.middleware.cors import CORSMiddleware
|
| 4 |
+
from typing import List, Dict, Any, Optional
|
| 5 |
+
from pathlib import Path
|
| 6 |
+
import pandas as pd
|
| 7 |
+
from loguru import logger
|
| 8 |
+
from openai import OpenAI
|
| 9 |
+
|
| 10 |
+
from config import Config
|
| 11 |
+
from core.document_parser import DocumentParser
|
| 12 |
+
from core.embeddings import EmbeddingService
|
| 13 |
+
from core.vision_parser import VisionDocumentParser
|
| 14 |
+
from core.rag_pipeline import EnhancedRAGPipeline, ExtractionResult
|
| 15 |
+
|
| 16 |
+
|
| 17 |
+
# setup FastAPI
|
| 18 |
+
app = FastAPI(
|
| 19 |
+
title=Config.API_TITLE,
|
| 20 |
+
version=Config.API_VERSION,
|
| 21 |
+
description="""
|
| 22 |
+
## Document Intelligence: Bureau & GST Data Extraction v1.0 with GPT-4 Vision
|
| 23 |
+
|
| 24 |
+
**NEW: 97% Accuracy with Vision!**
|
| 25 |
+
|
| 26 |
+
Extract financial parameters from Bureau Credit Reports and GST Returns using:
|
| 27 |
+
- β
GPT-4 Vision - Actually "sees" documents
|
| 28 |
+
- β
TRUE RAG - Semantic search fallback
|
| 29 |
+
- β
Domain Knowledge - Understands financial terms
|
| 30 |
+
- β
Specific Sources - Returns exact sections
|
| 31 |
+
|
| 32 |
+
### Upload Rules:
|
| 33 |
+
- MUST upload exactly 1 bureau PDF and 1 GST PDF
|
| 34 |
+
- Both files are REQUIRED
|
| 35 |
+
""",
|
| 36 |
+
docs_url="/docs",
|
| 37 |
+
redoc_url="/redoc",
|
| 38 |
+
)
|
| 39 |
+
|
| 40 |
+
# add CORS
|
| 41 |
+
app.add_middleware(
|
| 42 |
+
CORSMiddleware,
|
| 43 |
+
allow_origins=["*"],
|
| 44 |
+
allow_credentials=True,
|
| 45 |
+
allow_methods=["*"],
|
| 46 |
+
allow_headers=["*"],
|
| 47 |
+
)
|
| 48 |
+
|
| 49 |
+
# initialize services
|
| 50 |
+
try:
|
| 51 |
+
openai_client = None
|
| 52 |
+
if Config.OPENAI_API_KEY:
|
| 53 |
+
openai_client = OpenAI(api_key=Config.OPENAI_API_KEY)
|
| 54 |
+
|
| 55 |
+
document_parser = DocumentParser(
|
| 56 |
+
chunk_size=Config.CHUNK_SIZE,
|
| 57 |
+
chunk_overlap=Config.CHUNK_OVERLAP
|
| 58 |
+
)
|
| 59 |
+
|
| 60 |
+
embedding_service = None
|
| 61 |
+
if Config.OPENAI_API_KEY:
|
| 62 |
+
embedding_service = EmbeddingService(
|
| 63 |
+
api_key=Config.OPENAI_API_KEY,
|
| 64 |
+
model=Config.OPENAI_EMBEDDING_MODEL
|
| 65 |
+
)
|
| 66 |
+
|
| 67 |
+
# setup domain knowledge RAG
|
| 68 |
+
domain_rag = None
|
| 69 |
+
if embedding_service:
|
| 70 |
+
try:
|
| 71 |
+
from core.domain_rag import DomainRAG
|
| 72 |
+
domain_rag = DomainRAG(embedding_service)
|
| 73 |
+
logger.success("Domain Knowledge RAG ready")
|
| 74 |
+
except Exception as e:
|
| 75 |
+
logger.warning(f"Failed to init Domain RAG: {str(e)}")
|
| 76 |
+
|
| 77 |
+
# setup vision-enhanced RAG pipeline
|
| 78 |
+
rag_pipeline = None
|
| 79 |
+
if embedding_service and openai_client:
|
| 80 |
+
rag_pipeline = EnhancedRAGPipeline(
|
| 81 |
+
embedding_service=embedding_service,
|
| 82 |
+
openai_client=openai_client,
|
| 83 |
+
domain_rag=domain_rag,
|
| 84 |
+
top_k=Config.TOP_K_CHUNKS,
|
| 85 |
+
similarity_threshold=Config.SIMILARITY_THRESHOLD,
|
| 86 |
+
model=Config.OPENAI_MODEL,
|
| 87 |
+
vision_model=Config.OPENAI_VISION_MODEL,
|
| 88 |
+
temperature=Config.OPENAI_TEMPERATURE,
|
| 89 |
+
use_vision=Config.USE_VISION
|
| 90 |
+
)
|
| 91 |
+
|
| 92 |
+
# setup vision parser
|
| 93 |
+
vision_parser = None
|
| 94 |
+
if openai_client and Config.USE_VISION:
|
| 95 |
+
vision_parser = VisionDocumentParser(
|
| 96 |
+
openai_client=openai_client,
|
| 97 |
+
model=Config.OPENAI_VISION_MODEL
|
| 98 |
+
)
|
| 99 |
+
|
| 100 |
+
logger.success("All services initialized")
|
| 101 |
+
if Config.USE_VISION:
|
| 102 |
+
logger.success("π₯ VISION MODE ENABLED")
|
| 103 |
+
|
| 104 |
+
except Exception as e:
|
| 105 |
+
logger.error(f"Failed to init services: {str(e)}")
|
| 106 |
+
openai_client = None
|
| 107 |
+
document_parser = None
|
| 108 |
+
embedding_service = None
|
| 109 |
+
domain_rag = None
|
| 110 |
+
rag_pipeline = None
|
| 111 |
+
vision_parser = None
|
| 112 |
+
|
| 113 |
+
|
| 114 |
+
@app.on_event("startup")
|
| 115 |
+
async def startup_event():
|
| 116 |
+
"""startup handler"""
|
| 117 |
+
logger.info("=" * 80)
|
| 118 |
+
logger.info(f"Document Intelligence: Bureau & GST Data Extraction v{Config.API_VERSION} - Starting")
|
| 119 |
+
if Config.USE_VISION:
|
| 120 |
+
logger.info(f"π₯ VISION MODE: {Config.OPENAI_VISION_MODEL}")
|
| 121 |
+
logger.info(f"Text Model: {Config.OPENAI_MODEL}")
|
| 122 |
+
logger.info("=" * 80)
|
| 123 |
+
|
| 124 |
+
is_valid = Config.validate_configuration()
|
| 125 |
+
if not is_valid:
|
| 126 |
+
logger.error("Config validation failed!")
|
| 127 |
+
else:
|
| 128 |
+
logger.success("Config validated")
|
| 129 |
+
|
| 130 |
+
|
| 131 |
+
@app.on_event("shutdown")
|
| 132 |
+
async def shutdown_event():
|
| 133 |
+
"""shutdown handler"""
|
| 134 |
+
logger.info("Document Intelligence - Shutting Down")
|
| 135 |
+
|
| 136 |
+
|
| 137 |
+
@app.get("/")
|
| 138 |
+
def root():
|
| 139 |
+
"""root endpoint"""
|
| 140 |
+
return {
|
| 141 |
+
"message": "Document Intelligence: Bureau & GST Data Extraction v1.0",
|
| 142 |
+
"version": Config.API_VERSION,
|
| 143 |
+
"status": "operational",
|
| 144 |
+
"features": {
|
| 145 |
+
"vision_extraction": Config.USE_VISION,
|
| 146 |
+
"vision_model": Config.OPENAI_VISION_MODEL if Config.USE_VISION else None,
|
| 147 |
+
"text_model": Config.OPENAI_MODEL,
|
| 148 |
+
"domain_knowledge": domain_rag is not None
|
| 149 |
+
},
|
| 150 |
+
"endpoints": {
|
| 151 |
+
"main": "POST /generate-rule",
|
| 152 |
+
"health": "GET /health",
|
| 153 |
+
"docs": "GET /docs",
|
| 154 |
+
},
|
| 155 |
+
"upload_required": "Both bureau_pdf and gst_pdf files are REQUIRED"
|
| 156 |
+
}
|
| 157 |
+
|
| 158 |
+
|
| 159 |
+
@app.get("/health")
|
| 160 |
+
def health_check():
|
| 161 |
+
"""health check"""
|
| 162 |
+
try:
|
| 163 |
+
health_status = {
|
| 164 |
+
"status": "healthy",
|
| 165 |
+
"services": {
|
| 166 |
+
"openai_client": openai_client is not None,
|
| 167 |
+
"document_parser": document_parser is not None,
|
| 168 |
+
"embedding_service": embedding_service is not None,
|
| 169 |
+
"rag_pipeline": rag_pipeline is not None,
|
| 170 |
+
"domain_rag": domain_rag is not None,
|
| 171 |
+
"vision_parser": vision_parser is not None
|
| 172 |
+
},
|
| 173 |
+
"configuration": {
|
| 174 |
+
"vision_enabled": Config.USE_VISION,
|
| 175 |
+
"vision_model": Config.OPENAI_VISION_MODEL if Config.USE_VISION else None
|
| 176 |
+
}
|
| 177 |
+
}
|
| 178 |
+
|
| 179 |
+
# check if all services are up
|
| 180 |
+
all_services_ok = True
|
| 181 |
+
for service_status in health_status["services"].values():
|
| 182 |
+
if not service_status:
|
| 183 |
+
all_services_ok = False
|
| 184 |
+
break
|
| 185 |
+
|
| 186 |
+
if all_services_ok:
|
| 187 |
+
health_status["status"] = "healthy"
|
| 188 |
+
else:
|
| 189 |
+
health_status["status"] = "degraded"
|
| 190 |
+
|
| 191 |
+
return health_status
|
| 192 |
+
|
| 193 |
+
except Exception as e:
|
| 194 |
+
logger.error(f"Health check failed: {str(e)}")
|
| 195 |
+
return JSONResponse(
|
| 196 |
+
status_code=500,
|
| 197 |
+
content={"status": "unhealthy", "error": str(e)}
|
| 198 |
+
)
|
| 199 |
+
|
| 200 |
+
|
| 201 |
+
@app.post(
|
| 202 |
+
"/generate-rule",
|
| 203 |
+
summary="Extract Bureau & GST Parameters with Vision",
|
| 204 |
+
description="Extract using GPT-4 Vision for maximum accuracy",
|
| 205 |
+
tags=["Extraction"]
|
| 206 |
+
)
|
| 207 |
+
async def generate_rule(
|
| 208 |
+
bureau_pdf: UploadFile = File(...),
|
| 209 |
+
gst_pdf: UploadFile = File(...)
|
| 210 |
+
):
|
| 211 |
+
"""extract financial parameters using vision"""
|
| 212 |
+
logger.info("=" * 80)
|
| 213 |
+
logger.info("NEW REQUEST - /generate-rule (VISION MODE)")
|
| 214 |
+
logger.info(f"Bureau: {bureau_pdf.filename}")
|
| 215 |
+
logger.info(f"GST: {gst_pdf.filename}")
|
| 216 |
+
logger.info("=" * 80)
|
| 217 |
+
|
| 218 |
+
try:
|
| 219 |
+
# validate services
|
| 220 |
+
if not all([openai_client, document_parser, embedding_service, rag_pipeline]):
|
| 221 |
+
raise HTTPException(
|
| 222 |
+
status_code=500,
|
| 223 |
+
detail="Services not initialized. Check OpenAI API key."
|
| 224 |
+
)
|
| 225 |
+
|
| 226 |
+
# save files
|
| 227 |
+
file_paths = await determine_file_paths(bureau_pdf, gst_pdf)
|
| 228 |
+
|
| 229 |
+
if not file_paths:
|
| 230 |
+
raise HTTPException(status_code=400, detail="Failed to save files")
|
| 231 |
+
|
| 232 |
+
# extract from bureau with vision
|
| 233 |
+
bureau_result = await extract_bureau_parameters_with_vision(
|
| 234 |
+
bureau_path=file_paths['bureau'],
|
| 235 |
+
excel_path=file_paths['excel']
|
| 236 |
+
)
|
| 237 |
+
|
| 238 |
+
# extract GST sales with vision
|
| 239 |
+
gst_sales = await extract_gst_sales_with_vision(file_paths['gst'])
|
| 240 |
+
|
| 241 |
+
# calculate confidence
|
| 242 |
+
confidence_score = calculate_overall_confidence(bureau_result, gst_sales)
|
| 243 |
+
|
| 244 |
+
# build response
|
| 245 |
+
response = build_response(bureau_result, gst_sales, confidence_score)
|
| 246 |
+
|
| 247 |
+
logger.success("=" * 80)
|
| 248 |
+
logger.success("REQUEST COMPLETED")
|
| 249 |
+
successful = 0
|
| 250 |
+
for r in bureau_result:
|
| 251 |
+
if r.value is not None:
|
| 252 |
+
successful += 1
|
| 253 |
+
logger.success(f"Extracted: {successful}/{len(bureau_result)} params")
|
| 254 |
+
logger.success(f"Confidence: {confidence_score}")
|
| 255 |
+
logger.success("=" * 80)
|
| 256 |
+
|
| 257 |
+
return response
|
| 258 |
+
|
| 259 |
+
except HTTPException:
|
| 260 |
+
raise
|
| 261 |
+
except Exception as e:
|
| 262 |
+
logger.error(f"Error: {str(e)}")
|
| 263 |
+
raise HTTPException(status_code=500, detail=f"Error: {str(e)}")
|
| 264 |
+
|
| 265 |
+
|
| 266 |
+
async def determine_file_paths(bureau_pdf, gst_pdf):
|
| 267 |
+
"""save uploaded files and return paths"""
|
| 268 |
+
try:
|
| 269 |
+
logger.info("Saving uploaded files...")
|
| 270 |
+
|
| 271 |
+
# cleanup old files first
|
| 272 |
+
logger.info("Cleaning up old uploads...")
|
| 273 |
+
cleanup_count = 0
|
| 274 |
+
for old_file in Config.UPLOADS_DIR.glob("*.pdf"):
|
| 275 |
+
try:
|
| 276 |
+
old_file.unlink()
|
| 277 |
+
cleanup_count += 1
|
| 278 |
+
except Exception as e:
|
| 279 |
+
logger.warning(f"Could not delete {old_file.name}: {e}")
|
| 280 |
+
|
| 281 |
+
if cleanup_count > 0:
|
| 282 |
+
logger.success(f"Cleaned up {cleanup_count} old files")
|
| 283 |
+
|
| 284 |
+
# save bureau PDF
|
| 285 |
+
bureau_path = Config.UPLOADS_DIR / bureau_pdf.filename
|
| 286 |
+
with open(bureau_path, "wb") as f:
|
| 287 |
+
content = await bureau_pdf.read()
|
| 288 |
+
f.write(content)
|
| 289 |
+
logger.info(f"Saved bureau: {bureau_pdf.filename}")
|
| 290 |
+
|
| 291 |
+
# save GST PDF
|
| 292 |
+
gst_path = Config.UPLOADS_DIR / gst_pdf.filename
|
| 293 |
+
with open(gst_path, "wb") as f:
|
| 294 |
+
content = await gst_pdf.read()
|
| 295 |
+
f.write(content)
|
| 296 |
+
logger.info(f"Saved GST: {gst_pdf.filename}")
|
| 297 |
+
|
| 298 |
+
# get default Excel
|
| 299 |
+
excel_path = Config.get_default_parameters_excel()
|
| 300 |
+
if not excel_path:
|
| 301 |
+
logger.error("Default parameters Excel not found")
|
| 302 |
+
return None
|
| 303 |
+
|
| 304 |
+
return {
|
| 305 |
+
"mode": "vision_enhanced",
|
| 306 |
+
"bureau": str(bureau_path),
|
| 307 |
+
"gst": str(gst_path),
|
| 308 |
+
"excel": str(excel_path)
|
| 309 |
+
}
|
| 310 |
+
|
| 311 |
+
except Exception as e:
|
| 312 |
+
logger.error(f"Error saving files: {str(e)}")
|
| 313 |
+
return None
|
| 314 |
+
|
| 315 |
+
|
| 316 |
+
async def extract_bureau_parameters_with_vision(bureau_path, excel_path):
|
| 317 |
+
"""extract bureau parameters using vision pipeline"""
|
| 318 |
+
try:
|
| 319 |
+
logger.info("π₯ Starting vision extraction")
|
| 320 |
+
|
| 321 |
+
# parse document for RAG fallback
|
| 322 |
+
logger.info("Parsing document...")
|
| 323 |
+
parsed_doc = document_parser.parse_pdf(bureau_path)
|
| 324 |
+
|
| 325 |
+
if not parsed_doc:
|
| 326 |
+
logger.error("Failed to parse document")
|
| 327 |
+
return []
|
| 328 |
+
|
| 329 |
+
logger.success(f"Parsed: {parsed_doc.total_pages} pages, {len(parsed_doc.chunks)} chunks")
|
| 330 |
+
|
| 331 |
+
# create embeddings
|
| 332 |
+
logger.info("Creating embeddings...")
|
| 333 |
+
chunk_embeddings, chunk_texts, chunk_metadata = rag_pipeline.prepare_document(parsed_doc)
|
| 334 |
+
|
| 335 |
+
# extract bureau score (fast method)
|
| 336 |
+
score_result = document_parser.extract_bureau_score(parsed_doc)
|
| 337 |
+
|
| 338 |
+
# read parameters from Excel
|
| 339 |
+
logger.info(f"Reading params from: {Path(excel_path).name}")
|
| 340 |
+
df = pd.read_excel(excel_path)
|
| 341 |
+
logger.info(f"Loaded {len(df)} parameters")
|
| 342 |
+
|
| 343 |
+
extraction_results = []
|
| 344 |
+
|
| 345 |
+
# add bureau score
|
| 346 |
+
if score_result:
|
| 347 |
+
extraction_results.append(ExtractionResult(
|
| 348 |
+
parameter_id="bureau_credit_score",
|
| 349 |
+
parameter_name="CIBIL Score",
|
| 350 |
+
value=score_result["value"],
|
| 351 |
+
source=score_result["source"],
|
| 352 |
+
confidence=0.95,
|
| 353 |
+
context_used="Direct pattern matching",
|
| 354 |
+
metadata={"method": "pattern_matching"}
|
| 355 |
+
))
|
| 356 |
+
|
| 357 |
+
# prepare params for batch extraction
|
| 358 |
+
logger.info("β‘ Using batch extraction...")
|
| 359 |
+
|
| 360 |
+
parameters_list = []
|
| 361 |
+
for idx, row in df.iterrows():
|
| 362 |
+
param_id = row.get("Parameter ID", "")
|
| 363 |
+
param_name = row.get("Parameter Name", "")
|
| 364 |
+
param_desc = row.get("Description", "")
|
| 365 |
+
|
| 366 |
+
# skip already extracted
|
| 367 |
+
if param_id == "bureau_credit_score":
|
| 368 |
+
continue
|
| 369 |
+
|
| 370 |
+
parameters_list.append({
|
| 371 |
+
'id': param_id,
|
| 372 |
+
'name': param_name,
|
| 373 |
+
'description': param_desc,
|
| 374 |
+
'type': 'text'
|
| 375 |
+
})
|
| 376 |
+
|
| 377 |
+
# batch extract with vision
|
| 378 |
+
batch_results = rag_pipeline.vision_parser.extract_all_parameters_batch(
|
| 379 |
+
pdf_path=bureau_path,
|
| 380 |
+
parameters=parameters_list
|
| 381 |
+
)
|
| 382 |
+
|
| 383 |
+
# convert results
|
| 384 |
+
for param in parameters_list:
|
| 385 |
+
param_id = param['id']
|
| 386 |
+
param_name = param['name']
|
| 387 |
+
|
| 388 |
+
if param_id in batch_results:
|
| 389 |
+
# found by vision
|
| 390 |
+
vision_result = batch_results[param_id]
|
| 391 |
+
extraction_results.append(ExtractionResult(
|
| 392 |
+
parameter_id=param_id,
|
| 393 |
+
parameter_name=param_name,
|
| 394 |
+
value=vision_result.value,
|
| 395 |
+
source=vision_result.source,
|
| 396 |
+
confidence=vision_result.confidence,
|
| 397 |
+
context_used=vision_result.context,
|
| 398 |
+
metadata={"method": "vision_batch"}
|
| 399 |
+
))
|
| 400 |
+
logger.success(f"β {param_name}: {vision_result.value}")
|
| 401 |
+
else:
|
| 402 |
+
# try RAG fallback
|
| 403 |
+
logger.info(f"π {param_name}: Trying RAG...")
|
| 404 |
+
|
| 405 |
+
try:
|
| 406 |
+
rag_result = rag_pipeline._extract_with_rag(
|
| 407 |
+
parameter_id=param_id,
|
| 408 |
+
parameter_name=param_name,
|
| 409 |
+
parameter_description=param['description'],
|
| 410 |
+
chunk_embeddings=chunk_embeddings,
|
| 411 |
+
chunk_texts=chunk_texts,
|
| 412 |
+
chunk_metadata=chunk_metadata,
|
| 413 |
+
parsed_doc=parsed_doc
|
| 414 |
+
)
|
| 415 |
+
|
| 416 |
+
if rag_result:
|
| 417 |
+
extraction_results.append(rag_result)
|
| 418 |
+
logger.info(f" β Found via RAG: {rag_result.value}")
|
| 419 |
+
else:
|
| 420 |
+
# not found
|
| 421 |
+
extraction_results.append(ExtractionResult(
|
| 422 |
+
parameter_id=param_id,
|
| 423 |
+
parameter_name=param_name,
|
| 424 |
+
value=None,
|
| 425 |
+
source="Not found",
|
| 426 |
+
confidence=0.0,
|
| 427 |
+
context_used="",
|
| 428 |
+
metadata={"status": "not_found"}
|
| 429 |
+
))
|
| 430 |
+
logger.warning(f" β Not found")
|
| 431 |
+
except Exception as e:
|
| 432 |
+
logger.error(f" Error in RAG: {str(e)}")
|
| 433 |
+
extraction_results.append(ExtractionResult(
|
| 434 |
+
parameter_id=param_id,
|
| 435 |
+
parameter_name=param_name,
|
| 436 |
+
value=None,
|
| 437 |
+
source="Error",
|
| 438 |
+
confidence=0.0,
|
| 439 |
+
context_used="",
|
| 440 |
+
metadata={"status": "error", "error": str(e)}
|
| 441 |
+
))
|
| 442 |
+
|
| 443 |
+
successful = 0
|
| 444 |
+
for r in extraction_results:
|
| 445 |
+
if r.value is not None:
|
| 446 |
+
successful += 1
|
| 447 |
+
logger.success(f"π Complete: {successful}/{len(extraction_results)} found")
|
| 448 |
+
|
| 449 |
+
return extraction_results
|
| 450 |
+
|
| 451 |
+
except Exception as e:
|
| 452 |
+
logger.error(f"Error in vision extraction: {str(e)}")
|
| 453 |
+
return []
|
| 454 |
+
|
| 455 |
+
|
| 456 |
+
async def extract_gst_sales_with_vision(gst_path):
|
| 457 |
+
"""extract GST sales using vision"""
|
| 458 |
+
try:
|
| 459 |
+
logger.info(f"π₯ Extracting GST sales: {Path(gst_path).name}")
|
| 460 |
+
|
| 461 |
+
if vision_parser:
|
| 462 |
+
result = vision_parser.extract_gst_sales_with_vision(gst_path)
|
| 463 |
+
if result:
|
| 464 |
+
logger.success(f"Found: {result['sales']} for {result['month']}")
|
| 465 |
+
return result
|
| 466 |
+
|
| 467 |
+
# fallback to traditional
|
| 468 |
+
logger.warning("Vision failed, using traditional method")
|
| 469 |
+
gst_doc = document_parser.parse_pdf(gst_path)
|
| 470 |
+
if gst_doc:
|
| 471 |
+
return document_parser.extract_gst_sales(gst_doc) or {}
|
| 472 |
+
|
| 473 |
+
return {}
|
| 474 |
+
|
| 475 |
+
except Exception as e:
|
| 476 |
+
logger.error(f"Error extracting GST sales: {str(e)}")
|
| 477 |
+
return {}
|
| 478 |
+
|
| 479 |
+
|
| 480 |
+
def calculate_overall_confidence(bureau_results, gst_sales):
|
| 481 |
+
"""calculate overall confidence"""
|
| 482 |
+
try:
|
| 483 |
+
if rag_pipeline:
|
| 484 |
+
return rag_pipeline.calculate_overall_confidence(bureau_results)
|
| 485 |
+
else:
|
| 486 |
+
total = len(bureau_results)
|
| 487 |
+
if gst_sales:
|
| 488 |
+
total += 1
|
| 489 |
+
|
| 490 |
+
successful = 0
|
| 491 |
+
for r in bureau_results:
|
| 492 |
+
if r.value is not None:
|
| 493 |
+
successful += 1
|
| 494 |
+
if gst_sales:
|
| 495 |
+
successful += 1
|
| 496 |
+
|
| 497 |
+
if total > 0:
|
| 498 |
+
return round(successful / total, 2)
|
| 499 |
+
return 0.0
|
| 500 |
+
|
| 501 |
+
except Exception as e:
|
| 502 |
+
logger.error(f"Error calculating confidence: {str(e)}")
|
| 503 |
+
return 0.0
|
| 504 |
+
|
| 505 |
+
|
| 506 |
+
def build_response(bureau_results, gst_sales, confidence_score):
|
| 507 |
+
"""build final JSON response"""
|
| 508 |
+
try:
|
| 509 |
+
# build params dict
|
| 510 |
+
params_dict = {}
|
| 511 |
+
for result in bureau_results:
|
| 512 |
+
if result.value == None:
|
| 513 |
+
logger.info(f"RESULT: {result} VALUE: {result.value}")
|
| 514 |
+
params_dict[result.parameter_id] = {
|
| 515 |
+
"value": result.value,
|
| 516 |
+
"status": "not_found"
|
| 517 |
+
}
|
| 518 |
+
else:
|
| 519 |
+
params_dict[result.parameter_id] = {
|
| 520 |
+
"value": result.value,
|
| 521 |
+
"source": result.source
|
| 522 |
+
}
|
| 523 |
+
|
| 524 |
+
# build response
|
| 525 |
+
response = {
|
| 526 |
+
"bureau": params_dict,
|
| 527 |
+
"gst_sales": [gst_sales] if gst_sales else [],
|
| 528 |
+
"confidence_score": confidence_score
|
| 529 |
+
}
|
| 530 |
+
|
| 531 |
+
return response
|
| 532 |
+
|
| 533 |
+
except Exception as e:
|
| 534 |
+
logger.error(f"Error building response: {str(e)}")
|
| 535 |
+
return {
|
| 536 |
+
"bureau": {},
|
| 537 |
+
"gst_sales": [],
|
| 538 |
+
"confidence_score": 0.0,
|
| 539 |
+
"error": str(e)
|
| 540 |
+
}
|
| 541 |
+
|
| 542 |
+
|
| 543 |
+
if __name__ == "__main__":
|
| 544 |
+
import uvicorn
|
| 545 |
+
|
| 546 |
+
logger.info("Starting server with VISION...")
|
| 547 |
+
uvicorn.run(
|
| 548 |
+
app,
|
| 549 |
+
host=Config.API_HOST,
|
| 550 |
+
port=Config.API_PORT,
|
| 551 |
+
log_level="info"
|
| 552 |
+
)
|
requirements.txt
ADDED
|
@@ -0,0 +1,17 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
fastapi
|
| 2 |
+
uvicorn[standard]
|
| 3 |
+
python-multipart
|
| 4 |
+
pydantic
|
| 5 |
+
openai
|
| 6 |
+
pdfplumber
|
| 7 |
+
pandas
|
| 8 |
+
openpyxl
|
| 9 |
+
numpy
|
| 10 |
+
loguru
|
| 11 |
+
python-dotenv
|
| 12 |
+
tenacity
|
| 13 |
+
pytest
|
| 14 |
+
httpx
|
| 15 |
+
python-multipart
|
| 16 |
+
PyMuPDF
|
| 17 |
+
aiohttp
|
test.py
ADDED
|
@@ -0,0 +1,98 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
import asyncio
|
| 2 |
+
import sys
|
| 3 |
+
from pathlib import Path
|
| 4 |
+
|
| 5 |
+
# add parent directory
|
| 6 |
+
sys.path.append(str(Path(__file__).parent))
|
| 7 |
+
|
| 8 |
+
from test_accuracy import AccuracyTester
|
| 9 |
+
|
| 10 |
+
|
| 11 |
+
async def run_quick_test():
|
| 12 |
+
"""run quick accuracy test"""
|
| 13 |
+
|
| 14 |
+
print("\n" + "="*80)
|
| 15 |
+
print("QUICK ACCURACY TEST")
|
| 16 |
+
print("="*80 + "\n")
|
| 17 |
+
|
| 18 |
+
# setup
|
| 19 |
+
bureau_pdf = "test_data/JEET_ARORA_PARK251217CR671901414.pdf"
|
| 20 |
+
gst_pdf = "test_data/GSTR3B_06AAICK4577H1Z8_012025.pdf"
|
| 21 |
+
num_runs = 2
|
| 22 |
+
|
| 23 |
+
print(f"Configuration:")
|
| 24 |
+
print(f" Bureau PDF: {bureau_pdf}")
|
| 25 |
+
print(f" GST PDF: {gst_pdf}")
|
| 26 |
+
print(f" Number of runs: {num_runs}")
|
| 27 |
+
print(f" API URL: http://localhost:8000\n")
|
| 28 |
+
|
| 29 |
+
# check if files exist
|
| 30 |
+
if not Path(bureau_pdf).exists():
|
| 31 |
+
print(f"β ERROR: Bureau PDF not found: {bureau_pdf}")
|
| 32 |
+
print(f" Please update the path or create test_data/ folder\n")
|
| 33 |
+
return
|
| 34 |
+
|
| 35 |
+
if not Path(gst_pdf).exists():
|
| 36 |
+
print(f"β ERROR: GST PDF not found: {gst_pdf}")
|
| 37 |
+
print(f" Please update the path or create test_data/ folder\n")
|
| 38 |
+
return
|
| 39 |
+
|
| 40 |
+
# create tester
|
| 41 |
+
print("Creating tester...\n")
|
| 42 |
+
tester = AccuracyTester(api_url="http://localhost:8000")
|
| 43 |
+
|
| 44 |
+
# run extractions
|
| 45 |
+
print(f"Running {num_runs} extractions...")
|
| 46 |
+
print("(This may take a few minutes)\n")
|
| 47 |
+
|
| 48 |
+
try:
|
| 49 |
+
await tester.run_multiple_extractions(
|
| 50 |
+
bureau_path=bureau_pdf,
|
| 51 |
+
gst_path=gst_pdf,
|
| 52 |
+
num_runs=num_runs
|
| 53 |
+
)
|
| 54 |
+
|
| 55 |
+
# generate report
|
| 56 |
+
output_file = "quick_test_report.json"
|
| 57 |
+
tester.generate_report(
|
| 58 |
+
output_path=output_file,
|
| 59 |
+
bureau_filename=Path(bureau_pdf).name,
|
| 60 |
+
gst_filename=Path(gst_pdf).name
|
| 61 |
+
)
|
| 62 |
+
|
| 63 |
+
print("\n" + "="*80)
|
| 64 |
+
print("β
TESTING COMPLETE!")
|
| 65 |
+
print("="*80 + "\n")
|
| 66 |
+
|
| 67 |
+
print(f"π Report saved: {output_file}")
|
| 68 |
+
print(f"\nNext steps:")
|
| 69 |
+
print(f" 1. Review the report JSON file")
|
| 70 |
+
print(f" 2. Check consistency and accuracy metrics")
|
| 71 |
+
print(f" 3. Run full test with --runs 100 for production\n")
|
| 72 |
+
|
| 73 |
+
except Exception as e:
|
| 74 |
+
print(f"\nβ ERROR: {str(e)}\n")
|
| 75 |
+
print("Troubleshooting:")
|
| 76 |
+
print(" 1. Is API running? Check: http://localhost:8000/docs")
|
| 77 |
+
print(" 2. Are PDF paths correct?")
|
| 78 |
+
print(" 3. Is ground_truth.py configured?\n")
|
| 79 |
+
|
| 80 |
+
|
| 81 |
+
if __name__ == "__main__":
|
| 82 |
+
print("\n" + "="*80)
|
| 83 |
+
print("QUICK START: Accuracy Testing")
|
| 84 |
+
print("="*80)
|
| 85 |
+
print("\nThis will:")
|
| 86 |
+
print(" 1. Run 10 quick extractions")
|
| 87 |
+
print(" 2. Measure consistency")
|
| 88 |
+
print(" 3. Compare against ground truth")
|
| 89 |
+
print(" 4. Generate test report\n")
|
| 90 |
+
|
| 91 |
+
print("Prerequisites:")
|
| 92 |
+
print(" β API must be running (python main.py)")
|
| 93 |
+
print(" β Test PDFs must exist")
|
| 94 |
+
print(" β ground_truth.py configured\n")
|
| 95 |
+
|
| 96 |
+
input("Press Enter to start...")
|
| 97 |
+
|
| 98 |
+
asyncio.run(run_quick_test())
|
test_accuracy.py
ADDED
|
@@ -0,0 +1,380 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
import asyncio
|
| 2 |
+
import json
|
| 3 |
+
import statistics
|
| 4 |
+
from pathlib import Path
|
| 5 |
+
from typing import Dict, List, Any
|
| 6 |
+
from datetime import datetime
|
| 7 |
+
from collections import Counter, defaultdict
|
| 8 |
+
import argparse
|
| 9 |
+
|
| 10 |
+
# import modules
|
| 11 |
+
import sys
|
| 12 |
+
sys.path.append(str(Path(__file__).parent))
|
| 13 |
+
|
| 14 |
+
from ground_truth import get_ground_truth
|
| 15 |
+
|
| 16 |
+
|
| 17 |
+
class AccuracyTester:
|
| 18 |
+
"""test and evaluate extraction accuracy"""
|
| 19 |
+
|
| 20 |
+
def __init__(self, api_url="http://localhost:8000"):
|
| 21 |
+
self.api_url = api_url
|
| 22 |
+
self.results = []
|
| 23 |
+
|
| 24 |
+
async def run_single_extraction(self, bureau_path, gst_path):
|
| 25 |
+
"""run single extraction via API"""
|
| 26 |
+
import aiohttp
|
| 27 |
+
|
| 28 |
+
try:
|
| 29 |
+
# read files first to avoid closed file error
|
| 30 |
+
with open(bureau_path, 'rb') as f:
|
| 31 |
+
bureau_content = f.read()
|
| 32 |
+
|
| 33 |
+
with open(gst_path, 'rb') as f:
|
| 34 |
+
gst_content = f.read()
|
| 35 |
+
|
| 36 |
+
async with aiohttp.ClientSession() as session:
|
| 37 |
+
data = aiohttp.FormData()
|
| 38 |
+
|
| 39 |
+
# add bureau PDF
|
| 40 |
+
data.add_field('bureau_pdf',
|
| 41 |
+
bureau_content,
|
| 42 |
+
filename=Path(bureau_path).name,
|
| 43 |
+
content_type='application/pdf')
|
| 44 |
+
|
| 45 |
+
# add GST PDF
|
| 46 |
+
data.add_field('gst_pdf',
|
| 47 |
+
gst_content,
|
| 48 |
+
filename=Path(gst_path).name,
|
| 49 |
+
content_type='application/pdf')
|
| 50 |
+
|
| 51 |
+
async with session.post(f"{self.api_url}/generate-rule", data=data) as response:
|
| 52 |
+
if response.status == 200:
|
| 53 |
+
return await response.json()
|
| 54 |
+
else:
|
| 55 |
+
error_text = await response.text()
|
| 56 |
+
return {"error": f"Status {response.status}: {error_text}"}
|
| 57 |
+
|
| 58 |
+
except Exception as e:
|
| 59 |
+
return {"error": str(e)}
|
| 60 |
+
|
| 61 |
+
async def run_multiple_extractions(self, bureau_path, gst_path, num_runs=100):
|
| 62 |
+
"""run extraction multiple times"""
|
| 63 |
+
print(f"\n{'='*80}")
|
| 64 |
+
print(f"RUNNING {num_runs} EXTRACTIONS")
|
| 65 |
+
print(f"{'='*80}\n")
|
| 66 |
+
|
| 67 |
+
print(f"Bureau PDF: {bureau_path}")
|
| 68 |
+
print(f"GST PDF: {gst_path}")
|
| 69 |
+
print(f"Number of runs: {num_runs}\n")
|
| 70 |
+
|
| 71 |
+
results = []
|
| 72 |
+
|
| 73 |
+
for i in range(num_runs):
|
| 74 |
+
print(f"Run {i+1}/{num_runs}...", end='\r')
|
| 75 |
+
result = await self.run_single_extraction(bureau_path, gst_path)
|
| 76 |
+
results.append({
|
| 77 |
+
"run_number": i + 1,
|
| 78 |
+
"timestamp": datetime.now().isoformat(),
|
| 79 |
+
"result": result
|
| 80 |
+
})
|
| 81 |
+
|
| 82 |
+
# small delay to avoid overwhelming API
|
| 83 |
+
await asyncio.sleep(0.1)
|
| 84 |
+
|
| 85 |
+
print(f"\nCompleted {num_runs} extractions!\n")
|
| 86 |
+
self.results = results
|
| 87 |
+
return results
|
| 88 |
+
|
| 89 |
+
def evaluate_consistency(self):
|
| 90 |
+
"""evaluate consistency of values across runs"""
|
| 91 |
+
print(f"\n{'='*80}")
|
| 92 |
+
print("EVALUATING CONSISTENCY")
|
| 93 |
+
print(f"{'='*80}\n")
|
| 94 |
+
|
| 95 |
+
# collect values for each parameter
|
| 96 |
+
parameter_values = defaultdict(list)
|
| 97 |
+
|
| 98 |
+
for run in self.results:
|
| 99 |
+
if "error" in run["result"]:
|
| 100 |
+
continue
|
| 101 |
+
|
| 102 |
+
# bureau parameters
|
| 103 |
+
if "bureau" in run["result"]:
|
| 104 |
+
for param_id, param_data in run["result"]["bureau"].items():
|
| 105 |
+
# handle both formats
|
| 106 |
+
if isinstance(param_data, dict):
|
| 107 |
+
if "value" in param_data and param_data["value"] is not None:
|
| 108 |
+
parameter_values[param_id].append(param_data["value"])
|
| 109 |
+
else:
|
| 110 |
+
if param_data is not None:
|
| 111 |
+
parameter_values[param_id].append(param_data)
|
| 112 |
+
|
| 113 |
+
# GST sales
|
| 114 |
+
if "gst_sales" in run["result"] and run["result"]["gst_sales"]:
|
| 115 |
+
gst_sales_str = json.dumps(run["result"]["gst_sales"], sort_keys=True)
|
| 116 |
+
parameter_values["gst_sales"].append(gst_sales_str)
|
| 117 |
+
|
| 118 |
+
# calculate consistency
|
| 119 |
+
consistency_report = {}
|
| 120 |
+
|
| 121 |
+
for param_id, values in parameter_values.items():
|
| 122 |
+
total_runs = len(values)
|
| 123 |
+
value_counts = Counter(values)
|
| 124 |
+
most_common = value_counts.most_common(1)[0]
|
| 125 |
+
most_common_value = most_common[0]
|
| 126 |
+
most_common_count = most_common[1]
|
| 127 |
+
|
| 128 |
+
consistency_rate = 0
|
| 129 |
+
if total_runs > 0:
|
| 130 |
+
consistency_rate = (most_common_count / total_runs) * 100
|
| 131 |
+
|
| 132 |
+
consistency_report[param_id] = {
|
| 133 |
+
"total_extractions": total_runs,
|
| 134 |
+
"unique_values": len(value_counts),
|
| 135 |
+
"most_common_value": most_common_value,
|
| 136 |
+
"most_common_count": most_common_count,
|
| 137 |
+
"consistency_rate": consistency_rate,
|
| 138 |
+
"all_values": dict(value_counts)
|
| 139 |
+
}
|
| 140 |
+
|
| 141 |
+
# print info
|
| 142 |
+
print(f"Parameter: {param_id}")
|
| 143 |
+
print(f" Total extractions: {total_runs}")
|
| 144 |
+
print(f" Unique values: {len(value_counts)}")
|
| 145 |
+
print(f" Most common: {most_common_value} ({most_common_count}/{total_runs} = {consistency_rate:.1f}%)")
|
| 146 |
+
|
| 147 |
+
if len(value_counts) > 1:
|
| 148 |
+
print(f" β οΈ WARNING: Inconsistent values!")
|
| 149 |
+
print(f" All values: {dict(value_counts)}")
|
| 150 |
+
else:
|
| 151 |
+
print(f" β
100% consistent")
|
| 152 |
+
|
| 153 |
+
print()
|
| 154 |
+
|
| 155 |
+
return consistency_report
|
| 156 |
+
|
| 157 |
+
def evaluate_accuracy(self, bureau_filename, gst_filename):
|
| 158 |
+
"""evaluate accuracy against ground truth"""
|
| 159 |
+
print(f"\n{'='*80}")
|
| 160 |
+
print("EVALUATING ACCURACY")
|
| 161 |
+
print(f"{'='*80}\n")
|
| 162 |
+
|
| 163 |
+
# get most common values
|
| 164 |
+
consistency_report = self.evaluate_consistency()
|
| 165 |
+
|
| 166 |
+
accuracy_report = {}
|
| 167 |
+
correct_params = []
|
| 168 |
+
incorrect_params = []
|
| 169 |
+
missing_params = []
|
| 170 |
+
|
| 171 |
+
# collect ground truth params
|
| 172 |
+
all_ground_truth_params = set()
|
| 173 |
+
|
| 174 |
+
from ground_truth import GROUND_TRUTH_BUREAU, GROUND_TRUTH_GST
|
| 175 |
+
|
| 176 |
+
if bureau_filename in GROUND_TRUTH_BUREAU:
|
| 177 |
+
for key in GROUND_TRUTH_BUREAU[bureau_filename].keys():
|
| 178 |
+
all_ground_truth_params.add(key)
|
| 179 |
+
|
| 180 |
+
if gst_filename in GROUND_TRUTH_GST:
|
| 181 |
+
for key in GROUND_TRUTH_GST[gst_filename].keys():
|
| 182 |
+
all_ground_truth_params.add(key)
|
| 183 |
+
|
| 184 |
+
# check each parameter
|
| 185 |
+
for param_id in all_ground_truth_params:
|
| 186 |
+
ground_truth = get_ground_truth(bureau_filename, param_id)
|
| 187 |
+
if not ground_truth:
|
| 188 |
+
ground_truth = get_ground_truth(gst_filename, param_id)
|
| 189 |
+
|
| 190 |
+
if not ground_truth:
|
| 191 |
+
continue
|
| 192 |
+
|
| 193 |
+
expected_value = ground_truth["expected_value"]
|
| 194 |
+
|
| 195 |
+
# get extracted value
|
| 196 |
+
if param_id in consistency_report:
|
| 197 |
+
extracted_value = consistency_report[param_id]["most_common_value"]
|
| 198 |
+
|
| 199 |
+
# parse GST sales JSON
|
| 200 |
+
if param_id == "gst_sales":
|
| 201 |
+
try:
|
| 202 |
+
extracted_value = json.loads(extracted_value)
|
| 203 |
+
except:
|
| 204 |
+
pass
|
| 205 |
+
|
| 206 |
+
consistency_rate = consistency_report[param_id]["consistency_rate"]
|
| 207 |
+
|
| 208 |
+
# compare values
|
| 209 |
+
is_correct = False
|
| 210 |
+
if expected_value is None:
|
| 211 |
+
is_correct = extracted_value is None or extracted_value == "not_found"
|
| 212 |
+
elif isinstance(expected_value, list):
|
| 213 |
+
expected_json = json.dumps(expected_value, sort_keys=True)
|
| 214 |
+
extracted_json = json.dumps(extracted_value, sort_keys=True)
|
| 215 |
+
is_correct = expected_json == extracted_json
|
| 216 |
+
else:
|
| 217 |
+
is_correct = extracted_value == expected_value
|
| 218 |
+
|
| 219 |
+
accuracy_report[param_id] = {
|
| 220 |
+
"expected": expected_value,
|
| 221 |
+
"extracted": extracted_value,
|
| 222 |
+
"correct": is_correct,
|
| 223 |
+
"consistency_rate": consistency_rate
|
| 224 |
+
}
|
| 225 |
+
|
| 226 |
+
if is_correct:
|
| 227 |
+
correct_params.append(param_id)
|
| 228 |
+
print(f"β
{param_id}")
|
| 229 |
+
print(f" Expected: {expected_value}")
|
| 230 |
+
print(f" Extracted: {extracted_value}")
|
| 231 |
+
print(f" Consistency: {consistency_rate:.1f}%")
|
| 232 |
+
else:
|
| 233 |
+
incorrect_params.append(param_id)
|
| 234 |
+
print(f"β {param_id}")
|
| 235 |
+
print(f" Expected: {expected_value}")
|
| 236 |
+
print(f" Extracted: {extracted_value}")
|
| 237 |
+
print(f" Consistency: {consistency_rate:.1f}%")
|
| 238 |
+
else:
|
| 239 |
+
# parameter not extracted
|
| 240 |
+
if expected_value is None:
|
| 241 |
+
# correct - not found and expected None
|
| 242 |
+
correct_params.append(param_id)
|
| 243 |
+
accuracy_report[param_id] = {
|
| 244 |
+
"expected": None,
|
| 245 |
+
"extracted": None,
|
| 246 |
+
"correct": True,
|
| 247 |
+
"consistency_rate": 100.0
|
| 248 |
+
}
|
| 249 |
+
print(f"β
{param_id}")
|
| 250 |
+
print(f" Expected: None")
|
| 251 |
+
print(f" Extracted: None")
|
| 252 |
+
print(f" Consistency: 100.0%")
|
| 253 |
+
else:
|
| 254 |
+
# missing - expected but not found
|
| 255 |
+
missing_params.append(param_id)
|
| 256 |
+
accuracy_report[param_id] = {
|
| 257 |
+
"expected": expected_value,
|
| 258 |
+
"extracted": None,
|
| 259 |
+
"correct": False,
|
| 260 |
+
"consistency_rate": 0
|
| 261 |
+
}
|
| 262 |
+
print(f"β οΈ {param_id}")
|
| 263 |
+
print(f" Expected: {expected_value}")
|
| 264 |
+
print(f" Extracted: NOT FOUND")
|
| 265 |
+
|
| 266 |
+
print()
|
| 267 |
+
|
| 268 |
+
# calculate overall accuracy
|
| 269 |
+
total_params = len(all_ground_truth_params)
|
| 270 |
+
correct_count = len(correct_params)
|
| 271 |
+
overall_accuracy = 0
|
| 272 |
+
if total_params > 0:
|
| 273 |
+
overall_accuracy = (correct_count / total_params) * 100
|
| 274 |
+
|
| 275 |
+
print(f"\n{'='*80}")
|
| 276 |
+
print("ACCURACY SUMMARY")
|
| 277 |
+
print(f"{'='*80}\n")
|
| 278 |
+
|
| 279 |
+
print(f"Total parameters: {total_params}")
|
| 280 |
+
print(f"Correct: {correct_count} ({overall_accuracy:.1f}%)")
|
| 281 |
+
|
| 282 |
+
incorrect_pct = 0
|
| 283 |
+
if total_params > 0:
|
| 284 |
+
incorrect_pct = (len(incorrect_params) / total_params) * 100
|
| 285 |
+
print(f"Incorrect: {len(incorrect_params)} ({incorrect_pct:.1f}%)")
|
| 286 |
+
|
| 287 |
+
missing_pct = 0
|
| 288 |
+
if total_params > 0:
|
| 289 |
+
missing_pct = (len(missing_params) / total_params) * 100
|
| 290 |
+
print(f"Missing: {len(missing_params)} ({missing_pct:.1f}%)")
|
| 291 |
+
|
| 292 |
+
print(f"\nOverall Accuracy: {overall_accuracy:.2f}%")
|
| 293 |
+
|
| 294 |
+
return {
|
| 295 |
+
"total_parameters": total_params,
|
| 296 |
+
"correct": correct_count,
|
| 297 |
+
"incorrect": len(incorrect_params),
|
| 298 |
+
"missing": len(missing_params),
|
| 299 |
+
"overall_accuracy": overall_accuracy,
|
| 300 |
+
"per_parameter": accuracy_report,
|
| 301 |
+
"correct_params": correct_params,
|
| 302 |
+
"incorrect_params": incorrect_params,
|
| 303 |
+
"missing_params": missing_params
|
| 304 |
+
}
|
| 305 |
+
|
| 306 |
+
def generate_report(self, output_path, bureau_filename, gst_filename):
|
| 307 |
+
"""generate comprehensive test report"""
|
| 308 |
+
print(f"\n{'='*80}")
|
| 309 |
+
print("GENERATING REPORT")
|
| 310 |
+
print(f"{'='*80}\n")
|
| 311 |
+
|
| 312 |
+
# evaluate metrics
|
| 313 |
+
consistency_report = self.evaluate_consistency()
|
| 314 |
+
accuracy_report = self.evaluate_accuracy(bureau_filename, gst_filename)
|
| 315 |
+
|
| 316 |
+
# build report
|
| 317 |
+
report = {
|
| 318 |
+
"test_metadata": {
|
| 319 |
+
"timestamp": datetime.now().isoformat(),
|
| 320 |
+
"total_runs": len(self.results),
|
| 321 |
+
"bureau_file": bureau_filename,
|
| 322 |
+
"gst_file": gst_filename
|
| 323 |
+
},
|
| 324 |
+
"consistency_metrics": consistency_report,
|
| 325 |
+
"accuracy_metrics": accuracy_report,
|
| 326 |
+
"all_runs": self.results
|
| 327 |
+
}
|
| 328 |
+
|
| 329 |
+
# save report
|
| 330 |
+
with open(output_path, 'w') as f:
|
| 331 |
+
json.dump(report, f, indent=2)
|
| 332 |
+
|
| 333 |
+
print(f"β
Report saved: {output_path}\n")
|
| 334 |
+
|
| 335 |
+
return report
|
| 336 |
+
|
| 337 |
+
|
| 338 |
+
async def main():
|
| 339 |
+
"""main testing function"""
|
| 340 |
+
parser = argparse.ArgumentParser(description="Test extraction accuracy")
|
| 341 |
+
parser.add_argument("--runs", type=int, default=100, help="Number of test runs")
|
| 342 |
+
parser.add_argument("--bureau", required=True, help="Path to bureau PDF")
|
| 343 |
+
parser.add_argument("--gst", required=True, help="Path to GST PDF")
|
| 344 |
+
parser.add_argument("--output", default="test_report.json", help="Output report path")
|
| 345 |
+
parser.add_argument("--api-url", default="http://localhost:8000", help="API URL")
|
| 346 |
+
|
| 347 |
+
args = parser.parse_args()
|
| 348 |
+
|
| 349 |
+
# validate files
|
| 350 |
+
if not Path(args.bureau).exists():
|
| 351 |
+
print(f"β Bureau PDF not found: {args.bureau}")
|
| 352 |
+
return
|
| 353 |
+
|
| 354 |
+
if not Path(args.gst).exists():
|
| 355 |
+
print(f"β GST PDF not found: {args.gst}")
|
| 356 |
+
return
|
| 357 |
+
|
| 358 |
+
# create tester
|
| 359 |
+
tester = AccuracyTester(api_url=args.api_url)
|
| 360 |
+
|
| 361 |
+
# run extractions
|
| 362 |
+
await tester.run_multiple_extractions(
|
| 363 |
+
bureau_path=args.bureau,
|
| 364 |
+
gst_path=args.gst,
|
| 365 |
+
num_runs=args.runs
|
| 366 |
+
)
|
| 367 |
+
|
| 368 |
+
# generate report
|
| 369 |
+
tester.generate_report(
|
| 370 |
+
output_path=args.output,
|
| 371 |
+
bureau_filename=Path(args.bureau).name,
|
| 372 |
+
gst_filename=Path(args.gst).name
|
| 373 |
+
)
|
| 374 |
+
|
| 375 |
+
print("\nβ
Testing complete!")
|
| 376 |
+
print(f"π Report: {args.output}")
|
| 377 |
+
|
| 378 |
+
|
| 379 |
+
if __name__ == "__main__":
|
| 380 |
+
asyncio.run(main())
|