-
Notifications
You must be signed in to change notification settings - Fork 1.1k
/
marker_server.py
174 lines (143 loc) · 5.04 KB
/
marker_server.py
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
import traceback
import click
import os
import uvicorn
from pydantic import BaseModel, Field
from starlette.responses import HTMLResponse
from marker.config.parser import ConfigParser
from marker.output import text_from_rendered
import base64
from contextlib import asynccontextmanager
from typing import Optional, Annotated
import io
from fastapi import FastAPI, Form, File, UploadFile
from marker.converters.pdf import PdfConverter
from marker.models import create_model_dict
from marker.settings import settings
app_data = {}
UPLOAD_DIRECTORY = "./uploads"
os.makedirs(UPLOAD_DIRECTORY, exist_ok=True)
@asynccontextmanager
async def lifespan(app: FastAPI):
app_data["models"] = create_model_dict()
yield
if "models" in app_data:
del app_data["models"]
app = FastAPI(lifespan=lifespan)
@app.get("/")
async def root():
return HTMLResponse(
"""
<h1>Marker API</h1>
<ul>
<li><a href="/docs">API Documentation</a></li>
<li><a href="/marker">Run marker (post request only)</a></li>
</ul>
"""
)
class CommonParams(BaseModel):
filepath: Annotated[
Optional[str], Field(description="The path to the PDF file to convert.")
]
page_range: Annotated[
Optional[str],
Field(description="Page range to convert, specify comma separated page numbers or ranges. Example: 0,5-10,20", example=None)
] = None
languages: Annotated[
Optional[str],
Field(description="Comma separated list of languages to use for OCR. Must be either the names or codes from from https://github.com/VikParuchuri/surya/blob/master/surya/languages.py.", example=None)
] = None
force_ocr: Annotated[
bool,
Field(
description="Force OCR on all pages of the PDF. Defaults to False. This can lead to worse results if you have good text in your PDFs (which is true in most cases)."
),
] = False
paginate_output: Annotated[
bool,
Field(
description="Whether to paginate the output. Defaults to False. If set to True, each page of the output will be separated by a horizontal rule that contains the page number (2 newlines, {PAGE_NUMBER}, 48 - characters, 2 newlines)."
),
] = False
output_format: Annotated[
str,
Field(description="The format to output the text in. Can be 'markdown', 'json', or 'html'. Defaults to 'markdown'.")
] = "markdown"
async def _convert_pdf(params: CommonParams):
assert params.output_format in ["markdown", "json", "html"], "Invalid output format"
try:
options = params.model_dump()
print(options)
config_parser = ConfigParser(options)
config_dict = config_parser.generate_config_dict()
config_dict["pdftext_workers"] = 1
converter = PdfConverter(
config=config_dict,
artifact_dict=app_data["models"],
processor_list=config_parser.get_processors(),
renderer=config_parser.get_renderer()
)
rendered = converter(params.filepath)
text, _, images = text_from_rendered(rendered)
metadata = rendered.metadata
except Exception as e:
traceback.print_exc()
return {
"success": False,
"error": str(e),
}
encoded = {}
for k, v in images.items():
byte_stream = io.BytesIO()
v.save(byte_stream, format=settings.OUTPUT_IMAGE_FORMAT)
encoded[k] = base64.b64encode(byte_stream.getvalue()).decode(settings.OUTPUT_ENCODING)
return {
"format": params.output_format,
"output": text,
"images": encoded,
"metadata": metadata,
"success": True,
}
@app.post("/marker")
async def convert_pdf(
params: CommonParams
):
return await _convert_pdf(params)
@app.post("/marker/upload")
async def convert_pdf_upload(
page_range: Optional[str] = Form(default=None),
languages: Optional[str] = Form(default=None),
force_ocr: Optional[bool] = Form(default=False),
paginate_output: Optional[bool] = Form(default=False),
output_format: Optional[str] = Form(default="markdown"),
file: UploadFile = File(
..., description="The PDF file to convert.", media_type="application/pdf"
),
):
upload_path = os.path.join(UPLOAD_DIRECTORY, file.filename)
with open(upload_path, "wb+") as upload_file:
file_contents = await file.read()
upload_file.write(file_contents)
params = CommonParams(
filepath=upload_path,
page_range=page_range,
languages=languages,
force_ocr=force_ocr,
paginate_output=paginate_output,
output_format=output_format,
)
results = await _convert_pdf(params)
os.remove(upload_path)
return results
@click.command()
@click.option("--port", type=int, default=8000, help="Port to run the server on")
@click.option("--host", type=str, default="127.0.0.1", help="Host to run the server on")
def main(port: int, host: str):
# Run the server
uvicorn.run(
app,
host=host,
port=port,
)
if __name__ == "__main__":
main()