A high performance Python library for data extraction, analysis, conversion & manipulation of PDF (and other) documents.
Project description
PyMuPDF
The PDF engine behind over 50 million monthly downloads, powering AI pipelines worldwide.
PyMuPDF is a high-performance Python library for data extraction, analysis, conversion, rendering and manipulation of PDF (and other) documents. Built on top of MuPDF — a lightweight, fast C engine — PyMuPDF gives you precise, low-level control over documents alongside high-level convenience APIs. No mandatory external dependencies.
Why PyMuPDF?
- Fast — powered by MuPDF, a best-in-class C rendering engine
- Accurate — pixel-perfect text extraction with font, color, and position metadata
- Versatile — read, write, annotate, redact, merge, split, and convert documents
- LLM-ready — native Markdown output via PyMuPDF4LLM for RAG and AI pipelines
- No mandatory dependencies —
pip install pymupdfand you're done
Installation
pip install pymupdf
Wheels are available for Windows, macOS, and Linux on Python 3.10–3.14. If no pre-built wheel exists for your platform, pip will compile from source (requires a C/C++ toolchain).
Optional extras
| Package | Purpose |
|---|---|
pymupdf-fonts |
Extended font collection for text output |
pymupdf4llm |
LLM/RAG-optimised Markdown and JSON extraction |
pymupdfpro |
Adds Office document support |
tesseract-ocr |
OCR for scanned pages and images (separate install) |
# More fonts
pip install pymupdf-fonts
# LLM-ready extraction
pip install pymupdf4llm
# Office support
pip install pymupdfpro
# OCR (Tesseract must be installed separately)
# macOS
brew install tesseract
# Ubuntu / Debian
sudo apt install tesseract-ocr
Supported File Formats
Input
| Category | Formats |
|---|---|
| PDF & derivatives | PDF, XPS, EPUB, CBZ, MOBI, FB2, SVG, TXT |
| Images | PNG, JPEG, BMP, TIFF, GIF, and more |
| Microsoft Office (Pro) | DOC, DOCX, XLS, XLSX, PPT, PPTX |
| Korean Office (Pro) | HWP, HWPX |
Output
| Format | Notes |
|---|---|
| Full fidelity conversion from Office formats | |
| SVG | Vector page rendering |
| Image (PNG, JPEG, …) | Page rasterisation at any DPI |
| Markdown | Structure-aware, LLM-ready |
| JSON | Bounding boxes, layout data, per-element detail |
| Plain text | Fast, lightweight extraction |
Quick start
Extract text
import pymupdf
doc = pymupdf.open("document.pdf")
for page in doc:
print(page.get_text())
Extract text with layout metadata
import pymupdf
doc = pymupdf.open("document.pdf")
page = doc[0]
blocks = page.get_text("dict")["blocks"]
for block in blocks:
if block["type"] == 0: # text block
for line in block["lines"]:
for span in line["spans"]:
print(f"{span['text']!r} font={span['font']} size={span['size']:.1f}")
Extract tables
import pymupdf
doc = pymupdf.open("spreadsheet.pdf")
page = doc[0]
tables = page.find_tables()
for table in tables:
print(table.to_markdown())
# or get as Pandas DataFrame
df = table.to_pandas()
Render a page to an image
import pymupdf
doc = pymupdf.open("document.pdf")
page = doc[0]
pixmap = page.get_pixmap(dpi=150)
pixmap.save("page_0.png")
OCR a scanned document
import pymupdf
doc = pymupdf.open("scanned.pdf")
page = doc[0]
# Requires Tesseract installed and on PATH
text = page.get_textpage_ocr(language="eng").extractText()
print(text)
Convert to Markdown for LLMs
import pymupdf4llm
md = pymupdf4llm.to_markdown("report.pdf")
# Pass directly to your LLM or vector store
print(md)
Annotate and redact
import pymupdf
doc = pymupdf.open("contract.pdf")
page = doc[0]
# Add a highlight annotation
rect = pymupdf.Rect(72, 100, 400, 120)
page.add_highlight_annot(rect)
# Add a redaction and apply it
page.add_redact_annot(rect)
page.apply_redactions()
doc.save("contract_redacted.pdf")
Merge PDFs
import pymupdf
merger = pymupdf.open()
for path in ["part1.pdf", "part2.pdf", "part3.pdf"]:
merger.insert_pdf(pymupdf.open(path))
merger.save("merged.pdf")
Convert an Office document to PDF
import pymupdf.pro
pymupdf.pro.unlock("YOUR-LICENSE-KEY")
doc = pymupdf.open("presentation.pptx")
pdf_bytes = doc.convert_to_pdf()
with open("output.pdf", "wb") as f:
f.write(pdf_bytes)
Extract LLM-ready Markdown from a Word document
import pymupdf4llm
import pymupdf.pro
pymupdf.pro.unlock("YOUR-LICENSE-KEY")
md = pymupdf4llm.to_markdown("document.docx")
print(md)
Features
Core capabilities
| Feature | Description |
|---|---|
| Text extraction | Plain text, rich dict (font, size, color, bbox), HTML, XML, raw blocks |
| Table detection | find_tables() — locate, extract, and export tables as Markdown or structured data |
| Image extraction | Extract embedded images and render any page to a high-resolution Pixmap |
| Rendering | Render PDF pages to images or Pixmap data for use in UI or other workflows |
| OCR | Tesseract integration — full-page or partial OCR, configurable language |
| Annotations | Read and write highlights, underlines, squiggly lines, sticky notes, free text, ink, stamps |
| Redaction | Add and permanently apply redaction annotations |
| Forms | Read and fill PDF AcroForm fields |
| PDF editing | Insert, delete, and reorder pages; set metadata; merge and split documents |
| Drawing | Draw lines, curves, rectangles, and circles; insert HTML boxes |
| Encryption | Open password-protected PDFs; save with RC4 or AES encryption |
| Links | Extract hyperlinks, internal cross-references, and URI targets |
| Bookmarks | Read and write the outline / table of contents tree |
| Metadata | Title, author, creation date, producer, subject, and custom entries |
| Color spaces | RGB, CMYK, greyscale; color space conversion |
LLM & AI output (via PyMuPDF4LLM)
| Output | API |
|---|---|
| Markdown | pymupdf4llm.to_markdown(path) |
| JSON | pymupdf4llm.to_json(path) |
| Plain text | pymupdf4llm.to_text(path) |
Supports multi-column layouts, natural reading order and page chunking.
Supported Python versions
Python 3.10 – 3.14 (as of v1.27.x). Wheels ship for:
manylinuxx86_64 and aarch64musllinuxx86_64- macOS x86_64 and arm64
- Windows x86 and x86_64
Performance
PyMuPDF is built on MuPDF — one of the fastest PDF rendering engines available. Typical benchmarks against pure-Python PDF libraries show 10–50× speed improvements for text extraction and 100× or more for page rendering, with a minimal memory footprint.
For AI workloads, PyMuPDF4LLM processes documents without a GPU, cutting infrastructure costs significantly compared to vision-based LLM approaches.
Recipes
Extract all images from a PDF
import pymupdf
from pathlib import Path
doc = pymupdf.open("document.pdf")
out = Path("images")
out.mkdir(exist_ok=True)
for page_index, page in enumerate(doc):
for img_index, img in enumerate(page.get_images()):
xref = img[0]
pix = pymupdf.Pixmap(doc, xref)
if pix.n > 4: # convert CMYK
pix = pymupdf.Pixmap(pymupdf.csRGB, pix)
pix.save(out / f"page{page_index}_img{img_index}.png")
Search for text across a document
import pymupdf
doc = pymupdf.open("document.pdf")
needle = "confidential"
for page in doc:
hits = page.search_for(needle)
if hits:
print(f"Page {page.number}: {len(hits)} occurrence(s)")
for rect in hits:
page.add_highlight_annot(rect)
doc.save("highlighted.pdf")
Split a PDF into individual pages
import pymupdf
doc = pymupdf.open("document.pdf")
for i, page in enumerate(doc):
out = pymupdf.open()
out.insert_pdf(doc, from_page=i, to_page=i)
out.save(f"page_{i + 1}.pdf")
Insert a watermark on every page
import pymupdf
doc = pymupdf.open("document.pdf")
for page in doc:
page.insert_text(
point=pymupdf.Point(72, page.rect.height / 2),
text="DRAFT",
fontsize=72,
color=(0.8, 0.8, 0.8),
rotate=45,
)
doc.save("watermarked.pdf")
Office Document Processing
PyMuPDF can be extended with PyMuPDF Pro. This adds a conversion layer that handles Microsoft and Korean Office formats natively — no Office installation, no COM interop, no LibreOffice subprocess.
Once unlocked, pymupdf.open() accepts Office files exactly like PDFs:
import pymupdf.pro
pymupdf.pro.unlock("YOUR-LICENSE-KEY")
# Works identically regardless of format
for fmt in ["contract.docx", "data.xlsx", "deck.pptx", "report.hwpx"]:
doc = pymupdf.open(fmt)
for page in doc:
print(page.get_text())
Get a trial license key for PyMuPDF Pro
What you can do with Office documents:
- Extract text and images page-by-page
- Convert to PDF with
doc.convert_to_pdf() - Rasterise pages to PNG/JPEG for visual inspection
- Feed directly into PyMuPDF4LLM for AI-ready output
Restrictions Without a License Key
When pymupdf.pro.unlock() is called without a key, the following restrictions apply:
| Restriction | Detail |
|---|---|
| Page limit | Only the first 3 pages of any document are accessible |
| Time limit | Evaluation period — functionality expires after a set duration |
All other Pro features work normally within these constraints, making it straightforward to prototype before purchasing a license.
Frequently Asked Questions
Can I use PyMuPDF, PyMuPDF4LLM and PyMuPDF Pro without sending data to the cloud?
Yes, absolutely — and this is one of PyMuPDF's most significant advantages.
PyMuPDF runs entirely locally. It is a native Python library built on top of the MuPDF C engine. When you call pymupdf.open(), page.get_text(), page.find_tables(), or any other method, everything executes in-process on your own machine. No data is transmitted anywhere.
There are no telemetry calls, no licence validation callbacks, no cloud dependencies of any kind in the open-source AGPL build or the commercial build. Once the package is installed, it works fully air-gapped.
This makes PyMuPDF well-suited for:
- Regulated industries — healthcare (HIPAA), finance, legal, government, where documents cannot leave a controlled environment
- On-premise deployments — servers with no outbound internet access
- Air-gapped systems — classified or sensitive environments
- Self-hosted RAG pipelines — processing confidential documents locally before feeding an on-premise LLM
- Saving on token costs for document pre-processing before sending data to your LLM
The only thing you need an internet connection for is the initial pip install. After that, the package and all its capabilities are entirely self-contained.
Should I import pymupdf or import fitz?
Use import pymupdf. The fitz name is a legacy alias that still works as of v1.24.0+, but import pymupdf is the recommended and future-proof approach. The two are interchangeable in existing code:
import pymupdf # recommended
# import fitz # legacy alias — still works but avoid for new code
Does PyMuPDF work with Korean, Japanese, or Chinese documents?
Yes — PyMuPDF has solid CJK support
How do I extract Markdown from PDF for LLM?
Let PyMuPDF4LLM do everything (recommended for RAG).
PyMuPDF4LLM is a high-level wrapper that outputs standard text and table content together in an integrated Markdown-formatted string across all document pages PyMuPDF — tables are detected, converted to GitHub-compatible Markdown, and interleaved with surrounding text in the correct reading order. This is the best starting point for feeding an LLM or building a RAG pipeline.
import pymupdf4llm
md = pymupdf4llm.to_markdown("report.pdf")
print(md)
# Tables appear as Markdown | col1 | col2 | ... inline with the text
Text extraction returns garbled characters or empty output. Why?
This usually means the PDF uses custom font encodings without a proper character map (CMAP). The font's glyphs are present but cannot be mapped back to Unicode. In these cases:
- Use OCR as a fallback (
page.get_textpage_ocr()) - Consider that scanned PDFs will always need OCR — text extraction on scans returns nothing
How do I extract text from a specific area of a page?
Pass a clip rectangle to get_text():
import pymupdf
doc = pymupdf.open("input.pdf")
page = doc[0]
# Define the area you want (x0, y0, x1, y1) in points
clip = pymupdf.Rect(50, 100, 400, 300)
text = page.get_text("text", clip=clip)
How do I search for text and find its location on the page?
import pymupdf
doc = pymupdf.open("input.pdf")
page = doc[0]
# Returns a list of Rect objects surrounding each match
locations = page.search_for("invoice number")
for rect in locations:
print(rect) # e.g. Rect(72.0, 120.5, 210.0, 134.0)
get_images shows no images but I can clearly see charts in the PDF. Why?
Charts and diagrams created by tools like matplotlib, Excel, or R are typically rendered as vector graphics (PDF drawing commands), not raster images. get_images only lists embedded raster image objects and will not detect vector graphics. To capture these, rasterise the entire page with page.get_pixmap().
How does OCR work in PyMuPDF? Does it require a separate Tesseract installation?
PyMuPDF uses MuPDF's built-in Tesseract-based OCR support, so there is no Python-level pytesseract dependency. However, PyMuPDF still needs access to the Tesseract language data files (tessdata), and automatic tessdata discovery may invoke the tesseract executable (for example, to list available languages) if you do not explicitly provide a tessdata path. In practice, the recommended setup is to either install Tesseract so discovery works automatically, or configure the tessdata location yourself via the tessdata parameter or the TESSDATA_PREFIX environment variable. Over 100 languages are supported.
import pymupdf
doc = pymupdf.open("scanned.pdf")
page = doc[0]
# Get a text page using OCR
tp = page.get_textpage_ocr(language="eng")
text = page.get_text(textpage=tp)
print(text)
How do I run OCR on a standalone image file (not a PDF)?
import pymupdf
pix = pymupdf.Pixmap("image.png")
if pix.alpha:
pix = pymupdf.Pixmap(pix, 0) # remove alpha channel — required for OCR
# Wrap in a 1-page PDF and OCR it
doc = pymupdf.open()
page = doc.new_page(width=pix.width, height=pix.height)
page.insert_image(page.rect, pixmap=pix)
tp = page.get_textpage_ocr()
text = page.get_text(textpage=tp)
How do I highlight text in a PDF?
import pymupdf
doc = pymupdf.open("input.pdf")
page = doc[0]
# Use quads=True for accurate highlights on non-horizontal text
quads = page.search_for("important term", quads=True)
page.add_highlight_annot(quads)
doc.save("highlighted.pdf")
PyMuPDF supports all standard PDF text markers: highlight, underline, strikeout, and squiggly.
How do I permanently redact (remove) content from a PDF?
Redaction is a deliberate two-step process so you can review before committing:
import pymupdf
doc = pymupdf.open("input.pdf")
page = doc[0]
# Step 1: Mark the area(s) to redact
rect = page.search_for("confidential")[0]
page.add_redact_annot(rect, fill=(1, 1, 1)) # white fill
# Step 2: Apply — permanently removes the underlying content
page.apply_redactions()
doc.save("redacted.pdf")
After apply_redactions(), the original content is gone. It cannot be recovered from the saved file.
How do I read form field values from a PDF?
import pymupdf
doc = pymupdf.open("form.pdf")
page = doc[0]
for field in page.widgets():
print(f"{field.field_name}: {field.field_value}")
How do I fill in a PDF form programmatically?
import pymupdf
doc = pymupdf.open("form.pdf")
page = doc[0]
for field in page.widgets():
if field.field_name == "First Name":
field.field_value = "Ada"
field.update()
doc.save("filled_form.pdf")
Can I use multithreading with PyMuPDF?
No. PyMuPDF does not support multithreaded use, even with Python's newer free-threading mode. The underlying MuPDF library only provides partial thread safety, and a fully thread-safe PyMuPDF implementation would still impose a single-threaded overhead — negating the benefit.
Use multiprocessing instead. Each process opens the file independently and works on its own page range:
from multiprocessing import Pool
import pymupdf
def process_pages(args):
path, start, end = args
doc = pymupdf.open(path) # each process opens its own handle
results = []
for i in range(start, end):
results.append(doc[i].get_text())
return results
with Pool(4) as pool:
chunks = [("input.pdf", 0, 25), ("input.pdf", 25, 50), ...]
all_results = pool.map(process_pages, chunks)
How can I speed up repeated text extraction on the same page?
Reuse a TextPage object. Creating a TextPage is the expensive part — once created, switching between extraction formats is cheap:
import pymupdf
page = doc[0]
tp = page.get_textpage() # create once
text = page.get_text("text", textpage=tp)
words = page.get_text("words", textpage=tp)
data = page.get_text("dict", textpage=tp)
This can reduce execution time by 50–95% for repeated extractions on the same page.
How do I read and write PDF metadata?
import pymupdf
doc = pymupdf.open("input.pdf")
# Read
print(doc.metadata)
# {'title': '...', 'author': '...', 'subject': '...', 'keywords': '...', ...}
# Write
doc.set_metadata({
"title": "Annual Report 2025",
"author": "Finance Team",
"keywords": "annual, finance, 2025"
})
doc.save("output.pdf")
How do I read or set the table of contents / bookmarks?
import pymupdf
doc = pymupdf.open("input.pdf")
# Read — returns a list of [level, title, page_number] entries
toc = doc.get_toc()
for level, title, page in toc:
print(" " * level, title, "→ page", page)
# Write
new_toc = [
[1, "Introduction", 1],
[1, "Methods", 5],
[2, "Data sources", 6],
]
doc.set_toc(new_toc)
doc.save("output.pdf")
Documentation
Full installation guide, API reference, cookbook, and tutorial at pymupdf.readthedocs.io.
Related projects
| Project | Description |
|---|---|
| PyMuPDF4LLM | LLM/RAG-optimised Markdown and JSON extraction |
| PyMuPDF Pro | Adds Office and HWP document support |
| pymupdf-fonts | Extended font collection for PyMuPDF text output |
Licensing
PyMuPDF and MuPDF are maintained by Artifex Software, Inc.
- Open source — GNU AGPL v3. Free for open-source projects.
- Commercial — separate commercial licences available from Artifex for proprietary applications.
Contributing
Contributions are welcome. Please open an issue before submitting large pull requests.
⭐ Support this project
If you find this useful, please consider giving it a star — it helps others discover it!
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distributions
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file pymupdf-1.27.2.3.tar.gz.
File metadata
- Download URL: pymupdf-1.27.2.3.tar.gz
- Upload date:
- Size: 85.8 MB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.5
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
7a92faa25129e8bbec5e50eeb9214f187665428c31b05c4ef6e36c58c0b1c6d2
|
|
| MD5 |
af6982be335a55a3785cc8ff08584d57
|
|
| BLAKE2b-256 |
2232708bedc9dde7b328d45abbc076091769d44f2f24ad151ad92d56a6ec142b
|
File details
Details for the file pymupdf-1.27.2.3-cp314-cp314t-manylinux_2_28_x86_64.whl.
File metadata
- Download URL: pymupdf-1.27.2.3-cp314-cp314t-manylinux_2_28_x86_64.whl
- Upload date:
- Size: 25.0 MB
- Tags: CPython 3.14t, manylinux: glibc 2.28+ x86-64
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.5
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
77691604c5d1d0233827139bbcdea61fd57879c84712b8e49b1f45520f7ab9c2
|
|
| MD5 |
e229d2d98f9dc35d8c438658acbf9f09
|
|
| BLAKE2b-256 |
53a4b9e91aac82293f9c954654c85581ee8212b5b05efadc534b581141241e6f
|
File details
Details for the file pymupdf-1.27.2.3-cp310-abi3-win_amd64.whl.
File metadata
- Download URL: pymupdf-1.27.2.3-cp310-abi3-win_amd64.whl
- Upload date:
- Size: 19.2 MB
- Tags: CPython 3.10+, Windows x86-64
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.5
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
d20f68ef15195e073071dbc4ae7455257c7889af7584e39df490c0a92728526e
|
|
| MD5 |
94d78614028616c068fd611a8b89cd03
|
|
| BLAKE2b-256 |
44475fb10fe73f96b31253a41647c362ea9e0380920bddf16028414a051247fc
|
File details
Details for the file pymupdf-1.27.2.3-cp310-abi3-win32.whl.
File metadata
- Download URL: pymupdf-1.27.2.3-cp310-abi3-win32.whl
- Upload date:
- Size: 18.0 MB
- Tags: CPython 3.10+, Windows x86
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.5
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
a5c1088a87189891a4946ab314a14b7934ac4c5b6077f7e74ebee956f8906d0e
|
|
| MD5 |
56e2017c0f5f68f0fc6f74c16d66cf62
|
|
| BLAKE2b-256 |
f63f3853d6608f394faf6eec2bd4e8ea9f6a00beea329b071abdb29f4164cc3d
|
File details
Details for the file pymupdf-1.27.2.3-cp310-abi3-musllinux_1_2_x86_64.whl.
File metadata
- Download URL: pymupdf-1.27.2.3-cp310-abi3-musllinux_1_2_x86_64.whl
- Upload date:
- Size: 25.2 MB
- Tags: CPython 3.10+, musllinux: musl 1.2+ x86-64
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.5
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
580983849c64a08d08344ca3d1580e87c01f046a8392421797bc850efd72a5b6
|
|
| MD5 |
e3e12077c5ca0ee60a5df19dcdeb678a
|
|
| BLAKE2b-256 |
69494f742451f980840829fc00ba158bebb25d389c846d8f4f8c65936ee55de8
|
File details
Details for the file pymupdf-1.27.2.3-cp310-abi3-manylinux_2_28_x86_64.whl.
File metadata
- Download URL: pymupdf-1.27.2.3-cp310-abi3-manylinux_2_28_x86_64.whl
- Upload date:
- Size: 25.0 MB
- Tags: CPython 3.10+, manylinux: glibc 2.28+ x86-64
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.5
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
857842b4888827bd6155a1131341b2822a7ebe9a8c15a975fd7d490d7a64a30c
|
|
| MD5 |
33e8e777ad1cf7654eb2e9a3f4c4e7b3
|
|
| BLAKE2b-256 |
e4a0aa1ee2240f29481a04a827c313333b4ecd8a14d6ac3e15d3f41a30574781
|
File details
Details for the file pymupdf-1.27.2.3-cp310-abi3-manylinux_2_28_aarch64.whl.
File metadata
- Download URL: pymupdf-1.27.2.3-cp310-abi3-manylinux_2_28_aarch64.whl
- Upload date:
- Size: 24.3 MB
- Tags: CPython 3.10+, manylinux: glibc 2.28+ ARM64
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.5
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
1dd460a3ae4597a755f00a3bd9771f5ebf1531dc111f6a36bf05dd00a6b84425
|
|
| MD5 |
629258191e80b7ca41e1ecb6196dbd32
|
|
| BLAKE2b-256 |
c326b7e5a70eb83bd189f8b5df87ec442746b992f2f632662839b288170d357d
|
File details
Details for the file pymupdf-1.27.2.3-cp310-abi3-macosx_11_0_arm64.whl.
File metadata
- Download URL: pymupdf-1.27.2.3-cp310-abi3-macosx_11_0_arm64.whl
- Upload date:
- Size: 23.3 MB
- Tags: CPython 3.10+, macOS 11.0+ ARM64
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.5
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
660d93cb6da5bbddf11d3982ae27745dd3a9902d9f24cdb69adab83962294b5a
|
|
| MD5 |
3962b956755fe5abfe9f85f0e5b8a066
|
|
| BLAKE2b-256 |
01893f8edd6c4f50ca370e2a2f2a3011face36f3760728ffe76dffec91c0fca0
|
File details
Details for the file pymupdf-1.27.2.3-cp310-abi3-macosx_10_9_x86_64.whl.
File metadata
- Download URL: pymupdf-1.27.2.3-cp310-abi3-macosx_10_9_x86_64.whl
- Upload date:
- Size: 24.0 MB
- Tags: CPython 3.10+, macOS 10.9+ x86-64
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.5
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
fc1bc3cae6e9e150b0dbb0a9221bdfd411d65f0db2fe359eaa22467d7cc2a05f
|
|
| MD5 |
ca4f92826303c1835fc12818e8fc2778
|
|
| BLAKE2b-256 |
dc09ddbdfa7ee91fbabd6f63d7d744884cbdfe3e7ff9b8604749fb38bddf5c5d
|