Spaces:
Sleeping
Sleeping
File size: 14,159 Bytes
e2ba949 4c51b8c e2ba949 4c51b8c 62a0d03 18b284f 62a0d03 5b2c21f 18b284f 5b2c21f 18b284f 4c51b8c 62a0d03 e2ba949 4c51b8c e2ba949 62a0d03 4c51b8c 62a0d03 18b284f 5b2c21f 18b284f 5b2c21f 18b284f 5b2c21f 18b284f 5b2c21f 4c51b8c e61da5a 4c51b8c e80d253 4c51b8c 5b2c21f 4c51b8c 5b2c21f 7b257b3 4c51b8c 5b2c21f 4c51b8c 18b284f 5b2c21f 4c51b8c 0d059f2 5b2c21f 4c51b8c 18b284f 5b2c21f 4c51b8c e61da5a 4c51b8c 5b2c21f 4c51b8c 18b284f 5b2c21f 4c51b8c e61da5a 5b2c21f e61da5a e80d253 4c51b8c e80d253 4c51b8c e80d253 4c51b8c e80d253 4c51b8c e80d253 4c51b8c e80d253 4c51b8c e80d253 4c51b8c e80d253 4c51b8c 62a0d03 e80d253 62a0d03 4c51b8c 18b284f 4c51b8c 62a0d03 5b2c21f 62a0d03 4c51b8c 62a0d03 4c51b8c 62a0d03 4c51b8c 62a0d03 18b284f 4c51b8c 62a0d03 4c51b8c 62a0d03 4c51b8c 62a0d03 4c51b8c 62a0d03 18b284f e2ba949 4c51b8c 62a0d03 18b284f 4c51b8c 62a0d03 4c51b8c 62a0d03 4c51b8c 62a0d03 e61da5a 62a0d03 4c51b8c e61da5a 4c51b8c 62a0d03 4c51b8c 18b284f 4c51b8c e61da5a 4c51b8c e61da5a 4c51b8c e61da5a 4c51b8c 5b2c21f 4c51b8c e61da5a 18b284f e61da5a 18b284f 5b2c21f 62a0d03 4c51b8c 62a0d03 4c51b8c |
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 |
"""
FastAPI Backend for HTML to PDF Conversion
Runs alongside Streamlit on port 7860
"""
from fastapi import FastAPI, UploadFile, File, Form, HTTPException
from fastapi.responses import Response, JSONResponse
from fastapi.middleware.cors import CORSMiddleware
import subprocess
import os
import tempfile
import shutil
import base64
import re
import mimetypes
from typing import List, Optional
from pathlib import Path
app = FastAPI(
title="HTML to PDF API",
description="Convert HTML to PDF with image support and page breaks",
version="1.0.0"
)
# Add CORS middleware
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
def detect_aspect_ratio(html_content):
"""Detect aspect ratio from HTML content"""
viewport_match = re.search(r'<meta[^>]*viewport[^>]*content=["\']([^"\']*)["\']', html_content, re.IGNORECASE)
if viewport_match:
viewport = viewport_match.group(1).lower()
if 'orientation=portrait' in viewport:
return "9:16"
elif 'orientation=landscape' in viewport:
return "16:9"
aspect_match = re.search(r'aspect-ratio\s*:\s*(\d+)\s*/\s*(\d+)', html_content, re.IGNORECASE)
if aspect_match:
width = int(aspect_match.group(1))
height = int(aspect_match.group(2))
ratio = width / height
if ratio > 1.5:
return "16:9"
elif ratio < 0.7:
return "9:16"
else:
return "1:1"
if any(keyword in html_content.lower() for keyword in ['reveal.js', 'impress.js', 'slide', 'presentation']):
return "16:9"
return "9:16"
def image_to_base64(image_bytes, filename):
"""Convert image bytes to base64 data URL"""
try:
mime_type, _ = mimetypes.guess_type(filename)
if not mime_type:
ext = os.path.splitext(filename)[1].lower()
mime_map = {
'.jpg': 'image/jpeg',
'.jpeg': 'image/jpeg',
'.png': 'image/png',
'.gif': 'image/gif',
'.svg': 'image/svg+xml',
'.webp': 'image/webp',
'.bmp': 'image/bmp'
}
mime_type = mime_map.get(ext, 'image/png')
b64_data = base64.b64encode(image_bytes).decode('utf-8')
data_url = f"data:{mime_type};base64,{b64_data}"
return data_url
except Exception as e:
raise HTTPException(status_code=400, detail=f"Error converting {filename} to base64: {str(e)}")
def embed_images_as_base64(html_content, images_dict):
"""Embed all images directly as base64 data URLs in the HTML"""
if not images_dict:
return html_content, {}
replacements = {}
for filename, data_url in images_dict.items():
escaped_name = re.escape(filename)
# Pattern 1: img src attribute
pattern1 = rf'(<img[^>]*\s+src\s*=\s*)(["\'])(?:[^"\']*?/)?{escaped_name}\2'
matches1 = list(re.finditer(pattern1, html_content, flags=re.IGNORECASE | re.DOTALL))
count1 = len(matches1)
if matches1:
html_content = re.sub(pattern1, rf'\1\2{data_url}\2', html_content, flags=re.IGNORECASE | re.DOTALL)
replacements[f"{filename} (img src)"] = count1
# Pattern 2: background-image
pattern2 = rf'(background-image\s*:\s*url\s*\()(["\']?)(?:[^)"\']*/)?{escaped_name}\2(\))'
matches2 = list(re.finditer(pattern2, html_content, flags=re.IGNORECASE))
count2 = len(matches2)
if matches2:
html_content = re.sub(pattern2, rf'\1"{data_url}"\3', html_content, flags=re.IGNORECASE)
replacements[f"{filename} (bg-image)"] = count2
# Pattern 3: CSS url()
pattern3 = rf'(url\s*\()(["\']?)(?:[^)"\']*/)?{escaped_name}\2(\))'
matches3 = list(re.finditer(pattern3, html_content, flags=re.IGNORECASE))
count3 = len(matches3)
if matches3:
html_content = re.sub(pattern3, rf'\1"{data_url}"\3', html_content, flags=re.IGNORECASE)
replacements[f"{filename} (url)"] = count3
return html_content, replacements
def inject_page_breaks(html_content: str, aspect_ratio: str):
"""Automatically inject page breaks and page sizing CSS"""
if aspect_ratio == "16:9":
page_size = "A4 landscape"
elif aspect_ratio == "1:1":
page_size = "210mm 210mm"
else:
page_size = "A4 portrait"
page_css = f"""
<style id="auto-page-breaks">
@page {{
size: {page_size};
margin: 0;
}}
html, body {{
margin: 0 !important;
padding: 0 !important;
width: 100% !important;
height: 100% !important;
}}
.page, .slide, section.page, article.page, div[class*="page"], div[class*="slide"] {{
width: 100% !important;
min-height: 100vh !important;
height: 100vh !important;
page-break-after: always !important;
break-after: page !important;
page-break-inside: avoid !important;
break-inside: avoid !important;
position: relative !important;
box-sizing: border-box !important;
overflow: hidden !important;
}}
.page:last-child, .slide:last-child,
section.page:last-child, article.page:last-child {{
page-break-after: auto !important;
break-after: auto !important;
}}
body > section:not(.no-page-break),
body > article:not(.no-page-break),
body > div:not(.no-page-break) {{
page-break-after: always !important;
break-after: page !important;
min-height: 100vh;
}}
body > section:last-child,
body > article:last-child,
body > div:last-child {{
page-break-after: auto !important;
}}
.page-break, .page-break-after {{
page-break-after: always !important;
break-after: page !important;
}}
.page-break-before {{
page-break-before: always !important;
break-before: page !important;
}}
.no-page-break, .keep-together {{
page-break-inside: avoid !important;
break-inside: avoid !important;
}}
h1, h2, h3, h4, h5, h6 {{
page-break-after: avoid !important;
break-after: avoid !important;
page-break-inside: avoid !important;
break-inside: avoid !important;
}}
img, figure, table, pre, blockquote {{
page-break-inside: avoid !important;
break-inside: avoid !important;
}}
* {{
-webkit-print-color-adjust: exact !important;
print-color-adjust: exact !important;
color-adjust: exact !important;
}}
</style>
"""
if '</head>' in html_content:
html_content = html_content.replace('</head>', page_css + '</head>')
elif '<body' in html_content:
html_content = html_content.replace('<body', page_css + '<body', 1)
else:
html_content = page_css + html_content
return html_content
def convert_html_to_pdf(html_content, aspect_ratio, temp_dir):
"""Convert HTML content to PDF using Puppeteer"""
try:
html_content = inject_page_breaks(html_content, aspect_ratio)
html_file = os.path.join(temp_dir, "input.html")
with open(html_file, 'w', encoding='utf-8') as f:
f.write(html_content)
# Find puppeteer script
possible_paths = [
'puppeteer_pdf.js',
'/app/puppeteer_pdf.js',
os.path.join(os.path.dirname(__file__), 'puppeteer_pdf.js'),
]
puppeteer_script = None
for path in possible_paths:
if os.path.exists(path):
puppeteer_script = path
break
if not puppeteer_script:
raise Exception("puppeteer_pdf.js not found")
result = subprocess.run(
['node', puppeteer_script, html_file, aspect_ratio],
capture_output=True,
text=True,
timeout=60,
cwd=os.path.dirname(os.path.abspath(puppeteer_script))
)
if result.returncode != 0:
raise Exception(f"PDF conversion failed: {result.stderr}")
pdf_file = html_file.replace('.html', '.pdf')
if not os.path.exists(pdf_file):
raise Exception("PDF file was not generated")
with open(pdf_file, 'rb') as f:
pdf_bytes = f.read()
return pdf_bytes
except subprocess.TimeoutExpired:
raise Exception("PDF conversion timed out (60 seconds)")
except Exception as e:
raise Exception(f"Error: {str(e)}")
@app.get("/")
async def root():
"""API root endpoint"""
return {
"message": "HTML to PDF Converter API",
"version": "1.0.0",
"endpoints": {
"POST /convert": "Convert HTML to PDF",
"GET /health": "Health check",
"GET /docs": "API documentation"
}
}
@app.get("/health")
async def health():
"""Health check endpoint"""
return {"status": "healthy"}
@app.post("/convert")
async def convert_to_pdf(
html_file: UploadFile = File(..., description="HTML file to convert"),
aspect_ratio: Optional[str] = Form(None, description="Aspect ratio: 16:9, 1:1, or 9:16"),
auto_detect: bool = Form(True, description="Auto-detect aspect ratio from HTML"),
images: Optional[List[UploadFile]] = File(None, description="Images to embed in HTML")
):
"""
Convert HTML to PDF with optional image embedding
- **html_file**: HTML file to convert (required)
- **aspect_ratio**: Page aspect ratio (optional if auto_detect=true)
- **auto_detect**: Auto-detect aspect ratio from HTML content
- **images**: Image files to embed as base64 in HTML
"""
temp_dir = None
try:
# Read HTML content
html_content = await html_file.read()
try:
html_content = html_content.decode('utf-8')
except UnicodeDecodeError:
html_content = html_content.decode('latin-1')
# Detect or use provided aspect ratio
if auto_detect:
detected_ratio = detect_aspect_ratio(html_content)
aspect_ratio = detected_ratio
elif not aspect_ratio:
aspect_ratio = "9:16"
# Validate aspect ratio
if aspect_ratio not in ["16:9", "1:1", "9:16"]:
raise HTTPException(status_code=400, detail="Invalid aspect ratio. Must be 16:9, 1:1, or 9:16")
# Process images if provided
image_replacements = {}
if images:
images_dict = {}
for img in images:
img_bytes = await img.read()
data_url = image_to_base64(img_bytes, img.filename)
images_dict[img.filename] = data_url
html_content, image_replacements = embed_images_as_base64(html_content, images_dict)
# Create temp directory and convert
temp_dir = tempfile.mkdtemp()
pdf_bytes = convert_html_to_pdf(html_content, aspect_ratio, temp_dir)
# Return PDF
return Response(
content=pdf_bytes,
media_type="application/pdf",
headers={
"Content-Disposition": f"attachment; filename=converted.pdf",
"X-Aspect-Ratio": aspect_ratio,
"X-Image-Replacements": str(len(image_replacements)),
"X-PDF-Size": str(len(pdf_bytes))
}
)
except HTTPException:
raise
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
finally:
if temp_dir and os.path.exists(temp_dir):
shutil.rmtree(temp_dir, ignore_errors=True)
@app.post("/convert-base64")
async def convert_to_pdf_base64(
html_content: str = Form(..., description="HTML content as string"),
aspect_ratio: Optional[str] = Form(None, description="Aspect ratio: 16:9, 1:1, or 9:16"),
auto_detect: bool = Form(True, description="Auto-detect aspect ratio from HTML")
):
"""
Convert HTML string to PDF and return as base64
- **html_content**: HTML content as string (required)
- **aspect_ratio**: Page aspect ratio (optional if auto_detect=true)
- **auto_detect**: Auto-detect aspect ratio from HTML content
"""
temp_dir = None
try:
# Detect or use provided aspect ratio
if auto_detect:
detected_ratio = detect_aspect_ratio(html_content)
aspect_ratio = detected_ratio
elif not aspect_ratio:
aspect_ratio = "9:16"
# Validate aspect ratio
if aspect_ratio not in ["16:9", "1:1", "9:16"]:
raise HTTPException(status_code=400, detail="Invalid aspect ratio. Must be 16:9, 1:1, or 9:16")
# Create temp directory and convert
temp_dir = tempfile.mkdtemp()
pdf_bytes = convert_html_to_pdf(html_content, aspect_ratio, temp_dir)
# Convert to base64
pdf_base64 = base64.b64encode(pdf_bytes).decode('utf-8')
return JSONResponse({
"success": True,
"pdf_base64": pdf_base64,
"aspect_ratio": aspect_ratio,
"size_bytes": len(pdf_bytes)
})
except HTTPException:
raise
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
finally:
if temp_dir and os.path.exists(temp_dir):
shutil.rmtree(temp_dir, ignore_errors=True)
if __name__ == "__main__":
import uvicorn
uvicorn.run(app, host="0.0.0.0", port=7860) |