document_parse / app.py
devappsmi's picture
Update app.py
6eb42c0 verified
"""
PaddleOCR-VL-1.5 Bridge Server (HF Spaces Edition)
====================================================
With per-token and per-word confidence scores via vLLM logprobs.
Architecture:
Gradio App β†’ This Bridge (port 7860) β†’ vLLM Docker (117.54.141.62:8000)
"""
import base64
import json
import math
import os
import shutil
import tempfile
import traceback
import uuid
from typing import Any, Dict, List, Optional, Tuple
import uvicorn
from fastapi import FastAPI, File, Header, HTTPException, Request, UploadFile
from fastapi.middleware.cors import CORSMiddleware
from fastapi.staticfiles import StaticFiles
from openai import OpenAI
from PIL import Image
# =============================================================================
# Configuration
# =============================================================================
VLLM_SERVER_URL = os.environ.get("VLLM_SERVER_URL", "http://117.54.141.62:8000/v1")
VLLM_MODEL_NAME = os.environ.get("VLLM_MODEL_NAME", "PaddleOCR-VL-1.5-0.9B")
BRIDGE_PORT = int(os.environ.get("PORT", "7860"))
API_KEY = os.environ.get("API_KEY", "")
SPACE_HOST = os.environ.get("SPACE_HOST", "")
if SPACE_HOST:
PUBLIC_BASE_URL = f"https://{SPACE_HOST}"
else:
PUBLIC_BASE_URL = os.environ.get("PUBLIC_BASE_URL", f"http://localhost:{BRIDGE_PORT}")
STATIC_DIR = "/tmp/ocr_outputs"
os.makedirs(STATIC_DIR, exist_ok=True)
# =============================================================================
# Initialize clients
# =============================================================================
openai_client = OpenAI(
api_key="EMPTY",
base_url=VLLM_SERVER_URL,
timeout=600
)
pipeline = None
def get_pipeline():
global pipeline
if pipeline is None:
from paddleocr import PaddleOCRVL
pipeline = PaddleOCRVL(
vl_rec_backend="vllm-server",
vl_rec_server_url=VLLM_SERVER_URL
)
return pipeline
# =============================================================================
# FastAPI App
# =============================================================================
app = FastAPI(
title="PaddleOCR-VL-1.5 Bridge API",
description="Full document parsing API with per-token/word confidence scores",
version="1.1.0"
)
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
app.mount("/static", StaticFiles(directory=STATIC_DIR), name="static")
# =============================================================================
# Auth
# =============================================================================
def verify_auth(authorization: Optional[str] = None):
if API_KEY and API_KEY.strip():
if not authorization or authorization != f"Bearer {API_KEY}":
raise HTTPException(status_code=401, detail="Unauthorized")
# =============================================================================
# Confidence Score Helpers
# =============================================================================
def parse_logprobs(response) -> List[Dict[str, Any]]:
"""
Extract per-token confidence from the OpenAI response logprobs.
Returns list of {token, logprob, confidence} dicts.
"""
token_details = []
try:
choice = response.choices[0]
logprobs_data = choice.logprobs
if logprobs_data is None:
return token_details
# OpenAI format: logprobs.content is a list of token info
content_logprobs = getattr(logprobs_data, 'content', None)
if content_logprobs:
# OpenAI-compatible format (newer vLLM)
for token_info in content_logprobs:
token_str = getattr(token_info, 'token', '')
logprob_val = getattr(token_info, 'logprob', None)
if logprob_val is not None:
confidence = math.exp(logprob_val) # convert log prob to probability
else:
confidence = 0.0
logprob_val = float('-inf')
token_details.append({
"token": token_str,
"logprob": round(logprob_val, 6),
"confidence": round(confidence, 6)
})
else:
# Legacy vLLM format: logprobs has tokens, token_logprobs
tokens = getattr(logprobs_data, 'tokens', None)
token_logprobs = getattr(logprobs_data, 'token_logprobs', None)
if tokens and token_logprobs:
for token_str, logprob_val in zip(tokens, token_logprobs):
if logprob_val is not None:
confidence = math.exp(logprob_val)
else:
confidence = 0.0
logprob_val = float('-inf')
token_details.append({
"token": token_str,
"logprob": round(logprob_val, 6),
"confidence": round(confidence, 6)
})
except Exception as e:
print(f"Warning: Could not parse logprobs: {e}")
traceback.print_exc()
return token_details
def tokens_to_words(token_details: List[Dict[str, Any]]) -> List[Dict[str, Any]]:
"""
Group tokens into words. A new word starts when a token begins with a space
or is a newline. Returns list of {word, tokens, confidence, avg_logprob}.
Word confidence = geometric mean of token probabilities
= exp(mean of logprobs)
"""
if not token_details:
return []
words = []
current_word_tokens = []
for td in token_details:
token = td["token"]
# Detect word boundary: starts with space, is newline, or is punctuation-only after text
is_boundary = (
token.startswith(" ") or
token.startswith("▁") or # sentencepiece space marker
token.startswith("Δ ") or # GPT-2 style space marker
token in ("\n", "\r", "\t", "\r\n") or
(len(current_word_tokens) > 0 and token.strip() == "")
)
if is_boundary and current_word_tokens:
# Finalize previous word
words.append(_finalize_word(current_word_tokens))
current_word_tokens = []
current_word_tokens.append(td)
# Don't forget the last word
if current_word_tokens:
words.append(_finalize_word(current_word_tokens))
return words
def _finalize_word(tokens: List[Dict[str, Any]]) -> Dict[str, Any]:
"""Compute word-level confidence from its constituent tokens."""
# Reconstruct word text
word_text = "".join(t["token"] for t in tokens).strip()
# Remove sentencepiece/GPT markers
word_text = word_text.lstrip("▁Ġ ")
# Geometric mean of probabilities = exp(mean of logprobs)
valid_logprobs = [t["logprob"] for t in tokens if t["logprob"] != float('-inf')]
if valid_logprobs:
avg_logprob = sum(valid_logprobs) / len(valid_logprobs)
word_confidence = math.exp(avg_logprob)
else:
avg_logprob = float('-inf')
word_confidence = 0.0
return {
"word": word_text,
"confidence": round(word_confidence, 6),
"avg_logprob": round(avg_logprob, 6) if avg_logprob != float('-inf') else None,
"token_count": len(tokens),
"tokens": [
{"token": t["token"], "confidence": t["confidence"]}
for t in tokens
]
}
def compute_overall_confidence(token_details: List[Dict[str, Any]]) -> Dict[str, Any]:
"""Compute overall text confidence statistics."""
if not token_details:
return {"mean_confidence": 0.0, "min_confidence": 0.0, "total_tokens": 0}
confidences = [t["confidence"] for t in token_details]
logprobs = [t["logprob"] for t in token_details if t["logprob"] != float('-inf')]
mean_conf = sum(confidences) / len(confidences) if confidences else 0.0
min_conf = min(confidences) if confidences else 0.0
max_conf = max(confidences) if confidences else 0.0
# Perplexity = exp(-mean(logprobs)) β€” lower is more confident
if logprobs:
avg_logprob = sum(logprobs) / len(logprobs)
perplexity = math.exp(-avg_logprob)
else:
perplexity = float('inf')
return {
"mean_confidence": round(mean_conf, 6),
"min_confidence": round(min_conf, 6),
"max_confidence": round(max_conf, 6),
"perplexity": round(perplexity, 4) if perplexity != float('inf') else None,
"total_tokens": len(token_details)
}
# =============================================================================
# Image / File Helpers
# =============================================================================
TASK_PROMPTS = {
"ocr": "OCR:",
"formula": "Formula Recognition:",
"table": "Table Recognition:",
"chart": "Chart Recognition:",
"spotting": "Spotting:",
"seal": "Seal Recognition:",
}
IMAGE_EXTENSIONS = {".png", ".jpg", ".jpeg", ".webp", ".bmp", ".gif"}
def save_temp_image(file_data: str) -> str:
if file_data.startswith(("http://", "https://")):
import requests as req
resp = req.get(file_data, timeout=120)
resp.raise_for_status()
content = resp.content
ct = resp.headers.get("content-type", "image/png")
ext = ".png"
if "jpeg" in ct or "jpg" in ct:
ext = ".jpg"
elif "webp" in ct:
ext = ".webp"
elif "bmp" in ct:
ext = ".bmp"
else:
content = base64.b64decode(file_data)
ext = ".png"
tmp = tempfile.NamedTemporaryFile(delete=False, suffix=ext)
tmp.write(content)
tmp.close()
return tmp.name
def serve_file(src_path: str, request_id: str, filename: str) -> str:
static_subdir = os.path.join(STATIC_DIR, request_id)
os.makedirs(static_subdir, exist_ok=True)
dst_path = os.path.join(static_subdir, filename)
shutil.copy2(src_path, dst_path)
return f"{PUBLIC_BASE_URL}/static/{request_id}/{filename}"
def collect_images_from_dir(directory: str, request_id: str) -> Dict[str, str]:
result = {}
if not os.path.exists(directory):
return result
for root, dirs, files in os.walk(directory):
for fname in files:
ext = os.path.splitext(fname)[1].lower()
if ext in IMAGE_EXTENSIONS:
src = os.path.join(root, fname)
rel_path = os.path.relpath(src, directory)
safe_name = rel_path.replace(os.sep, "_")
url = serve_file(src, request_id, safe_name)
result[rel_path] = url
return result
# =============================================================================
# VLM call with confidence
# =============================================================================
def call_vllm_with_confidence(image_url: str, task_prompt: str) -> Tuple[str, List[Dict], List[Dict], Dict]:
"""
Call vLLM with logprobs enabled.
Returns: (result_text, token_confidences, word_confidences, overall_stats)
"""
response = openai_client.chat.completions.create(
model=VLLM_MODEL_NAME,
messages=[{
"role": "user",
"content": [
{"type": "image_url", "image_url": {"url": image_url}},
{"type": "text", "text": task_prompt}
]
}],
temperature=0.0,
logprobs=True,
top_logprobs=5
)
result_text = response.choices[0].message.content
# Extract per-token confidence
token_details = parse_logprobs(response)
# Group into words
word_details = tokens_to_words(token_details)
# Overall stats
overall_stats = compute_overall_confidence(token_details)
return result_text, token_details, word_details, overall_stats
# =============================================================================
# Element-level Recognition
# =============================================================================
def element_level_recognition(file_data: str, prompt_label: str) -> Dict[str, Any]:
"""Element-level recognition with confidence scores."""
if file_data.startswith(("http://", "https://")):
image_url = file_data
else:
image_url = f"data:image/png;base64,{file_data}"
task_prompt = TASK_PROMPTS.get(prompt_label, "OCR:")
result_text, token_details, word_details, overall_stats = call_vllm_with_confidence(
image_url, task_prompt
)
return {
"errorCode": 0,
"result": {
"layoutParsingResults": [{
"prunedResult": {
"page_count": 1,
"width": 0,
"height": 0,
"parsing_res_list": [{
"block_label": prompt_label,
"block_content": result_text,
"block_bbox": [],
"block_id": 0,
"block_order": 0,
"group_id": 0,
"global_block_id": 0,
"global_group_id": 0,
"block_polygon_points": []
}],
"layout_det_res": {"boxes": []},
"spotting_res": _parse_spotting(result_text) if prompt_label == "spotting" else {}
},
"markdown": {"text": result_text, "images": {}},
"outputImages": {},
"confidence": {
"overall": overall_stats,
"tokens": token_details,
"words": word_details
}
}]
}
}
# =============================================================================
# Full Document Parsing
# =============================================================================
def full_document_parsing(file_data: str, use_chart_recognition: bool = False,
use_doc_unwarping: bool = True,
use_doc_orientation_classify: bool = True,
include_confidence: bool = True) -> Dict[str, Any]:
"""
Full document parsing with layout detection + VLM recognition.
When include_confidence=True, re-runs each block through vLLM with logprobs
to get per-token/word confidence scores.
"""
tmp_path = save_temp_image(file_data)
request_id = str(uuid.uuid4())[:12]
try:
# Get image dimensions
try:
img = Image.open(tmp_path)
img_width, img_height = img.size
img.close()
except Exception:
img_width, img_height = 0, 0
pipe = get_pipeline()
output = pipe.predict(tmp_path)
layout_parsing_results = []
preprocessed_images = []
data_info_pages = []
for i, res in enumerate(output):
page_id = f"{request_id}_p{i}"
output_dir = tempfile.mkdtemp()
# Save all outputs
res.save_to_json(save_path=output_dir)
res.save_to_markdown(save_path=output_dir)
try:
res.save_to_img(save_path=output_dir)
except Exception:
pass
# --- Read markdown ---
md_text = ""
md_files = [f for f in os.listdir(output_dir) if f.endswith(".md")]
if md_files:
with open(os.path.join(output_dir, md_files[0]), "r", encoding="utf-8") as f:
md_text = f.read()
# --- Read JSON ---
json_data = {}
json_files = [f for f in os.listdir(output_dir) if f.endswith(".json")]
if json_files:
with open(os.path.join(output_dir, json_files[0]), "r", encoding="utf-8") as f:
json_data = json.load(f)
# --- Collect and serve images ---
all_images = collect_images_from_dir(output_dir, page_id)
output_images = {}
for rel_path, url in all_images.items():
name = os.path.splitext(os.path.basename(rel_path))[0]
if "layout" in name.lower() or "det" in name.lower() or "vis" in name.lower():
output_images["layout_det_res"] = url
else:
output_images[name] = url
md_images = {}
imgs_dir = os.path.join(output_dir, "imgs")
if os.path.exists(imgs_dir):
for fname in os.listdir(imgs_dir):
ext = os.path.splitext(fname)[1].lower()
if ext in IMAGE_EXTENSIONS:
src = os.path.join(imgs_dir, fname)
url = serve_file(src, page_id, fname)
local_ref = f"imgs/{fname}"
md_images[local_ref] = url
md_text = md_text.replace(f'src="{local_ref}"', f'src="{url}"')
md_text = md_text.replace(f']({local_ref})', f']({url})')
input_image_url = serve_file(tmp_path, page_id, f"input_img_{i}.jpg")
# --- Build prunedResult ---
pruned_result = {}
if json_data:
pruned_result = {
"page_count": json_data.get("page_count", 1),
"width": json_data.get("width", img_width),
"height": json_data.get("height", img_height),
"model_settings": json_data.get("model_settings", {
"use_doc_preprocessor": False,
"use_layout_detection": True,
"use_chart_recognition": use_chart_recognition,
"use_seal_recognition": True,
"use_ocr_for_image_block": False,
"format_block_content": True,
"merge_layout_blocks": True,
"markdown_ignore_labels": [
"number", "footnote", "header",
"header_image", "footer", "footer_image", "aside_text"
],
"return_layout_polygon_points": True
}),
"parsing_res_list": json_data.get("parsing_res_list",
json_data.get("blocks", [])),
"layout_det_res": json_data.get("layout_det_res",
json_data.get("det_res", {"boxes": []}))
}
else:
pruned_result = {
"page_count": 1,
"width": img_width,
"height": img_height,
"model_settings": {},
"parsing_res_list": [],
"layout_det_res": {"boxes": []}
}
if not pruned_result.get("width"):
pruned_result["width"] = img_width
if not pruned_result.get("height"):
pruned_result["height"] = img_height
# --- Confidence scores for each block ---
block_confidences = []
if include_confidence and pruned_result.get("parsing_res_list"):
# Use the full-page image for confidence scoring
if file_data.startswith(("http://", "https://")):
conf_image_url = file_data
else:
conf_image_url = f"data:image/png;base64,{file_data}"
# Get confidence for the entire page text
try:
_, page_tokens, page_words, page_overall = call_vllm_with_confidence(
conf_image_url, "OCR:"
)
block_confidences = {
"overall": page_overall,
"tokens": page_tokens,
"words": page_words
}
except Exception as e:
print(f"Warning: Could not get confidence scores: {e}")
block_confidences = {
"overall": {"mean_confidence": 0, "total_tokens": 0},
"tokens": [],
"words": []
}
# --- Build page result ---
page_result = {
"prunedResult": pruned_result,
"markdown": {
"text": md_text,
"images": md_images
},
"outputImages": output_images,
"inputImage": input_image_url,
}
if block_confidences:
page_result["confidence"] = block_confidences
layout_parsing_results.append(page_result)
preprocessed_images.append(input_image_url)
data_info_pages.append({
"width": img_width,
"height": img_height
})
return {
"errorCode": 0,
"result": {
"layoutParsingResults": layout_parsing_results if layout_parsing_results else [{
"prunedResult": {
"page_count": 0, "width": 0, "height": 0,
"parsing_res_list": [], "layout_det_res": {"boxes": []}
},
"markdown": {"text": "", "images": {}},
"outputImages": {},
"inputImage": ""
}],
"preprocessedImages": preprocessed_images,
"dataInfo": {
"type": "image",
"numPages": len(layout_parsing_results),
"pages": data_info_pages
}
}
}
finally:
if os.path.exists(tmp_path):
os.unlink(tmp_path)
def _parse_spotting(text: str) -> dict:
try:
return json.loads(text)
except (json.JSONDecodeError, TypeError):
return {"raw_text": text}
# =============================================================================
# Endpoints
# =============================================================================
@app.get("/")
async def root():
return {
"service": "PaddleOCR-VL-1.5 Bridge API",
"status": "running",
"version": "1.1.0 (with confidence scores)",
"endpoints": ["/health", "/api/ocr", "/api/parse", "/api/parse/markdown", "/v1/chat/completions", "/docs"]
}
@app.get("/health")
async def health():
return {"status": "ok", "model": VLLM_MODEL_NAME, "vllm_url": VLLM_SERVER_URL}
@app.post("/api/ocr")
async def ocr_endpoint(request: Request, authorization: Optional[str] = Header(None)):
"""
Main OCR endpoint β€” compatible with the Gradio app.
Now includes per-token and per-word confidence scores.
Body:
{
"file": "base64_or_url",
"useLayoutDetection": true/false,
"promptLabel": "ocr|formula|table|chart|spotting|seal",
"useChartRecognition": false,
"useDocUnwarping": true,
"useDocOrientationClassify": true,
"includeConfidence": true (default: true)
}
Response includes:
{
"result": {
"layoutParsingResults": [{
...
"confidence": {
"overall": {
"mean_confidence": 0.95,
"min_confidence": 0.42,
"max_confidence": 1.0,
"perplexity": 1.12,
"total_tokens": 85
},
"tokens": [
{"token": "Hello", "logprob": -0.02, "confidence": 0.98},
...
],
"words": [
{"word": "Hello", "confidence": 0.98, "avg_logprob": -0.02, "token_count": 1, "tokens": [...]},
...
]
}
}]
}
}
"""
verify_auth(authorization)
try:
body = await request.json()
except Exception:
raise HTTPException(status_code=400, detail="Invalid JSON body")
file_data = body.get("file", "")
if not file_data:
raise HTTPException(status_code=400, detail="Missing 'file' field")
use_layout = body.get("useLayoutDetection", False)
prompt_label = body.get("promptLabel", "ocr")
use_chart = body.get("useChartRecognition", False)
use_unwarp = body.get("useDocUnwarping", True)
use_orient = body.get("useDocOrientationClassify", True)
include_confidence = body.get("includeConfidence", True)
try:
if use_layout:
return full_document_parsing(
file_data, use_chart, use_unwarp, use_orient,
include_confidence=include_confidence
)
else:
return element_level_recognition(file_data, prompt_label)
except Exception as e:
traceback.print_exc()
return {"errorCode": -1, "errorMsg": str(e)}
@app.post("/api/parse")
async def parse_file(
file: UploadFile = File(...),
use_layout_detection: bool = True,
prompt_label: str = "ocr",
include_confidence: bool = True,
authorization: Optional[str] = Header(None)
):
"""File upload endpoint with confidence scores."""
verify_auth(authorization)
content = await file.read()
b64 = base64.b64encode(content).decode("utf-8")
try:
if use_layout_detection:
return full_document_parsing(b64, include_confidence=include_confidence)
else:
return element_level_recognition(b64, prompt_label)
except Exception as e:
traceback.print_exc()
return {"errorCode": -1, "errorMsg": str(e)}
@app.post("/api/parse/markdown")
async def parse_to_markdown(
file: UploadFile = File(...),
authorization: Optional[str] = Header(None)
):
"""Returns just markdown text."""
verify_auth(authorization)
content = await file.read()
b64 = base64.b64encode(content).decode("utf-8")
try:
result = full_document_parsing(b64, include_confidence=False)
pages = result.get("result", {}).get("layoutParsingResults", [])
markdown_parts = [p.get("markdown", {}).get("text", "") for p in pages if p.get("markdown", {}).get("text")]
return {
"status": "ok",
"markdown": "\n\n---\n\n".join(markdown_parts),
"page_count": len(pages)
}
except Exception as e:
traceback.print_exc()
raise HTTPException(status_code=500, detail=str(e))
@app.post("/v1/chat/completions")
async def proxy_chat_completions(request: Request, authorization: Optional[str] = Header(None)):
"""Proxy to vLLM for direct OpenAI-compatible calls (logprobs supported)."""
verify_auth(authorization)
import httpx
body = await request.json()
async with httpx.AsyncClient(timeout=600) as client:
resp = await client.post(
f"{VLLM_SERVER_URL}/chat/completions",
json=body,
headers={"Content-Type": "application/json"}
)
return resp.json()
# =============================================================================
# Entry point
# =============================================================================
if __name__ == "__main__":
print(f"""
╔══════════════════════════════════════════════════════════════╗
β•‘ PaddleOCR-VL-1.5 Bridge Server (HF Spaces) β•‘
β•‘ v1.1.0 β€” with per-token/word confidence scores β•‘
╠══════════════════════════════════════════════════════════════╣
β•‘ Bridge API: http://0.0.0.0:{BRIDGE_PORT} β•‘
β•‘ vLLM backend: {VLLM_SERVER_URL:<44s}β•‘
β•‘ Model: {VLLM_MODEL_NAME:<44s}β•‘
β•‘ Auth: {"ENABLED" if API_KEY else "DISABLED":<44s}β•‘
╠══════════════════════════════════════════════════════════════╣
β•‘ Endpoints: β•‘
β•‘ GET /health - Health check β•‘
β•‘ GET /docs - Swagger UI β•‘
β•‘ POST /api/ocr - Gradio-compatible + confidenceβ•‘
β•‘ POST /api/parse - File upload + confidence β•‘
β•‘ POST /api/parse/markdown - Simple markdown output β•‘
β•‘ POST /v1/chat/completions - vLLM proxy (OpenAI format) β•‘
β•‘ GET /static/... - Output images β•‘
β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•
""")
uvicorn.run(app, host="0.0.0.0", port=BRIDGE_PORT)