Spaces:
Running
Running
File size: 12,744 Bytes
f1996dd 0253cad 971b317 3cd8625 86ba735 a000dd7 86ba735 a000dd7 e3bc0c6 220b45d 3cd8625 220b45d 5361f7d 3cd8625 971b317 3cd8625 971b317 3cd8625 e3bc0c6 f1996dd 220b45d e851339 3cd8625 86ba735 3cd8625 58a3898 3cd8625 f8fae95 0253cad 3cd8625 f1996dd 220b45d e057fa4 3cd8625 86ba735 3cd8625 971b317 e057fa4 274798e e057fa4 be2e6ae 274798e e057fa4 274798e 971b317 86ba735 e057fa4 86ba735 a000dd7 86ba735 274798e 86ba735 274798e 3cd8625 982eaf5 274798e e057fa4 3cd8625 86ba735 971b317 3cd8625 274798e 3cd8625 86ba735 971b317 86ba735 971b317 3cd8625 86ba735 220b45d 3cd8625 86ba735 be2e6ae e057fa4 be2e6ae d5d1102 e057fa4 be2e6ae a000dd7 d5d1102 86ba735 a000dd7 e057fa4 a000dd7 e057fa4 a000dd7 e057fa4 a000dd7 d5d1102 a000dd7 e057fa4 a000dd7 e057fa4 a000dd7 e057fa4 a000dd7 d5d1102 e057fa4 a000dd7 e057fa4 a000dd7 220b45d 3cd8625 a000dd7 3cd8625 a000dd7 2567893 a000dd7 3cd8625 a000dd7 3cd8625 971b317 3cd8625 0253cad 971b317 e851339 971b317 a000dd7 e851339 3cd8625 a000dd7 e851339 a000dd7 3cd8625 a000dd7 e851339 a000dd7 971b317 a000dd7 e851339 220b45d a000dd7 3cd8625 a000dd7 971b317 a000dd7 971b317 a000dd7 971b317 220b45d a000dd7 5acf968 a000dd7 3cd8625 2e2b7f9 3cd8625 a000dd7 |
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 |
import os
import base64
import gradio as gr
import requests
import shutil
import time
import pymupdf as fitz
import logging
from mistralai import Mistral, ImageURLChunk
from mistralai.models import OCRResponse
from typing import Union, List, Tuple, Optional, Dict
from tenacity import retry, stop_after_attempt, wait_exponential
from concurrent.futures import ThreadPoolExecutor
import tempfile
# Constants
SUPPORTED_IMAGE_TYPES = [".jpg", ".png", ".jpeg"]
SUPPORTED_PDF_TYPES = [".pdf"]
UPLOAD_FOLDER = "./uploads"
MAX_FILE_SIZE = 50 * 1024 * 1024 # 50MB
MAX_PDF_PAGES = 50
# Configuration
os.makedirs(UPLOAD_FOLDER, exist_ok=True)
logging.basicConfig(
level=logging.INFO,
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s',
handlers=[logging.StreamHandler()]
)
logger = logging.getLogger(__name__)
class OCRProcessor:
def __init__(self, api_key: str):
if not api_key or not isinstance(api_key, str):
raise ValueError("Valid API key must be provided")
self.client = Mistral(api_key=api_key)
self._validate_client()
def _validate_client(self) -> None:
try:
models = self.client.models.list()
if not models:
raise ValueError("No models available")
except Exception as e:
raise ValueError(f"API key validation failed: {str(e)}")
@staticmethod
def _check_file_size(file_input: Union[str, bytes]) -> None:
if isinstance(file_input, str) and os.path.exists(file_input):
size = os.path.getsize(file_input)
elif hasattr(file_input, 'read'):
size = len(file_input.read())
file_input.seek(0)
else:
size = len(file_input)
if size > MAX_FILE_SIZE:
raise ValueError(f"File size exceeds {MAX_FILE_SIZE/1024/1024}MB limit")
@staticmethod
def _save_uploaded_file(file_input: Union[str, bytes], filename: str) -> str:
clean_filename = os.path.basename(filename).replace(os.sep, "_")
file_path = os.path.join(UPLOAD_FOLDER, f"{int(time.time())}_{clean_filename}")
try:
if isinstance(file_input, str) and file_input.startswith("http"):
response = requests.get(file_input, timeout=30)
response.raise_for_status()
with open(file_path, 'wb') as f:
f.write(response.content)
elif isinstance(file_input, str) and os.path.exists(file_input):
shutil.copy2(file_input, file_path)
else:
with open(file_path, 'wb') as f:
if hasattr(file_input, 'read'):
shutil.copyfileobj(file_input, f)
else:
f.write(file_input)
if not os.path.exists(file_path):
raise FileNotFoundError(f"Failed to save file at {file_path}")
return file_path
except Exception as e:
logger.error(f"Error saving file {filename}: {str(e)}")
raise
@staticmethod
def _encode_image(image_path: str) -> str:
try:
with open(image_path, "rb") as image_file:
return base64.b64encode(image_file.read()).decode('utf-8')
except Exception as e:
logger.error(f"Error encoding image {image_path}: {str(e)}")
raise ValueError(f"Failed to encode image: {str(e)}")
@staticmethod
def _pdf_to_images(pdf_path: str) -> List[Tuple[str, str]]:
try:
pdf_document = fitz.open(pdf_path)
if pdf_document.page_count > MAX_PDF_PAGES:
pdf_document.close()
raise ValueError(f"PDF exceeds maximum page limit of {MAX_PDF_PAGES}")
with ThreadPoolExecutor() as executor:
image_data = list(executor.map(
lambda i: OCRProcessor._convert_page(pdf_path, i),
range(pdf_document.page_count)
))
pdf_document.close()
return [data for data in image_data if data]
except Exception as e:
logger.error(f"Error converting PDF to images: {str(e)}")
return []
@staticmethod
def _convert_page(pdf_path: str, page_num: int) -> Tuple[str, str]:
try:
pdf_document = fitz.open(pdf_path)
page = pdf_document[page_num]
pix = page.get_pixmap(dpi=150)
image_path = os.path.join(UPLOAD_FOLDER, f"page_{page_num + 1}_{int(time.time())}.png")
pix.save(image_path)
encoded = OCRProcessor._encode_image(image_path)
pdf_document.close()
return image_path, encoded
except Exception as e:
logger.error(f"Error converting page {page_num}: {str(e)}")
return None, None
@retry(stop=stop_after_attempt(3), wait=wait_exponential(multiplier=1, min=2, max=10))
def _call_ocr_api(self, encoded_image: str) -> OCRResponse:
base64_url = f"data:image/png;base64,{encoded_image}"
try:
logger.info("Calling OCR API")
response = self.client.ocr.process(
model="mistral-ocr-latest",
document=ImageURLChunk(image_url=base64_url),
include_image_base64=True
)
return response
except Exception as e:
logger.error(f"OCR API call failed: {str(e)}")
raise
def process_file(self, file: gr.File) -> Tuple[str, str, List[str]]:
"""Process uploaded file (image or PDF)."""
if not file:
return "## No file provided", "", []
file_name = file.name
self._check_file_size(file)
file_path = self._save_uploaded_file(file, file_name)
if file_name.lower().endswith(tuple(SUPPORTED_IMAGE_TYPES)):
encoded_image = self._encode_image(file_path)
response = self._call_ocr_api(encoded_image)
markdown = self._combine_markdown(response)
return markdown, file_path, [file_path]
elif file_name.lower().endswith('.pdf'):
image_data = self._pdf_to_images(file_path)
if not image_data:
return "## No pages converted from PDF", file_path, []
ocr_results = []
image_paths = [path for path, _ in image_data]
for _, encoded in image_data:
response = self._call_ocr_api(encoded)
markdown = self._combine_markdown(response)
ocr_results.append(markdown)
return "\n\n".join(ocr_results), file_path, image_paths
return "## Unsupported file type", file_path, []
def process_url(self, url: str) -> Tuple[str, str, List[str]]:
"""Process URL (image or PDF)."""
if not url:
return "## No URL provided", "", []
file_name = url.split('/')[-1] or f"file_{int(time.time())}"
file_path = self._save_uploaded_file(url, file_name)
if file_name.lower().endswith(tuple(SUPPORTED_IMAGE_TYPES)):
encoded_image = self._encode_image(file_path)
response = self._call_ocr_api(encoded_image)
markdown = self._combine_markdown(response)
return markdown, url, [file_path]
elif file_name.lower().endswith('.pdf'):
image_data = self._pdf_to_images(file_path)
if not image_data:
return "## No pages converted from PDF", url, []
ocr_results = []
image_paths = [path for path, _ in image_data]
for _, encoded in image_data:
response = self._call_ocr_api(encoded)
markdown = self._combine_markdown(response)
ocr_results.append(markdown)
return "\n\n".join(ocr_results), url, image_paths
return "## Unsupported URL content type", url, []
@staticmethod
def _combine_markdown(response: OCRResponse) -> str:
"""Combine markdown from OCR response."""
markdown_parts = []
for page in response.pages:
if not page.markdown.strip():
continue
markdown = page.markdown
if hasattr(page, 'images') and page.images:
for img in page.images:
if img.image_base64:
markdown = markdown.replace(
f"",
f""
)
markdown_parts.append(markdown)
return "\n\n".join(markdown_parts) or "## No text detected"
def create_interface():
css = """
.output-markdown {font-size: 14px; max-height: 500px; overflow-y: auto;}
.status {color: #666; font-style: italic;}
.preview {max-height: 300px;}
"""
with gr.Blocks(title="Mistral OCR Demo", css=css) as demo:
gr.Markdown("# Mistral OCR Demo")
gr.Markdown(f"""
Process PDFs and images (max {MAX_FILE_SIZE/1024/1024}MB, {MAX_PDF_PAGES} pages for PDFs) via upload or URL.
View previews and OCR results with embedded images.
Learn more at [Mistral OCR](https://mistral.ai/news/mistral-ocr).
""")
# API Key Setup
with gr.Row():
api_key_input = gr.Textbox(label="Mistral API Key", type="password", placeholder="Enter your API key")
set_key_btn = gr.Button("Set API Key", variant="primary")
processor_state = gr.State()
status = gr.Markdown("Please enter API key", elem_classes="status")
def init_processor(key):
try:
processor = OCRProcessor(key)
return processor, "✅ API key validated"
except Exception as e:
return None, f"❌ Error: {str(e)}"
set_key_btn.click(fn=init_processor, inputs=api_key_input, outputs=[processor_state, status])
# File Upload Tab
with gr.Tab("Upload File"):
with gr.Row():
file_input = gr.File(label="Upload PDF/Image", file_types=SUPPORTED_IMAGE_TYPES + SUPPORTED_PDF_TYPES)
file_preview = gr.Gallery(label="Preview", elem_classes="preview")
file_output = gr.Markdown(label="OCR Result", elem_classes="output-markdown")
file_raw_output = gr.Textbox(label="Raw File Path")
file_button = gr.Button("Process", variant="primary")
def update_file_preview(file):
return [file.name] if file else []
file_input.change(fn=update_file_preview, inputs=file_input, outputs=file_preview)
file_button.click(
fn=lambda p, f: p.process_file(f) if p else ("## Set API key first", "", []),
inputs=[processor_state, file_input],
outputs=[file_output, file_raw_output, file_preview]
)
# URL Tab
with gr.Tab("URL Input"):
with gr.Row():
url_input = gr.Textbox(label="URL to PDF/Image")
url_preview = gr.Gallery(label="Preview", elem_classes="preview")
url_output = gr.Markdown(label="OCR Result", elem_classes="output-markdown")
url_raw_output = gr.Textbox(label="Raw URL")
url_button = gr.Button("Process", variant="primary")
def update_url_preview(url):
if not url:
return []
try:
temp_file = tempfile.NamedTemporaryFile(delete=False, suffix='.tmp')
response = requests.get(url, timeout=10)
temp_file.write(response.content)
temp_file.close()
return [temp_file.name]
except Exception as e:
logger.error(f"URL preview error: {str(e)}")
return []
url_input.change(fn=update_url_preview, inputs=url_input, outputs=url_preview)
url_button.click(
fn=lambda p, u: p.process_url(u) if p else ("## Set API key first", "", []),
inputs=[processor_state, url_input],
outputs=[url_output, url_raw_output, url_preview]
)
# Examples
gr.Examples(
examples=[],
inputs=[file_input, url_input]
)
return demo
if __name__ == "__main__":
os.environ['START_TIME'] = time.strftime('%Y-%m-%d %H:%M:%S')
print(f"===== Application Startup at {os.environ['START_TIME']} =====")
create_interface().launch(share=True, max_threads=1) |