Skip to main content

PDF.js-based PDF viewer widget for PyQt6 with annotation support

Project description

PDF.js Viewer Widget for PyQt6

A production-ready, embeddable PDF viewer widget for PyQt6 applications powered by Mozilla's PDF.js.

Visit PDF.js Viewer for Qt homepage for more information.

Features

  • 🖼️ PDF.js Integration - View, zoom, rotate, and navigate PDFs
  • ✏️ Basic Annotations - Highlight, draw, add text, stamps
  • 💾 Save with Annotations - Export PDFs with annotations
  • 🖨️ Print Support - Print annotated PDFs
  • 🎨 Theme Support - Automatic light/dark mode following system preferences
  • 📄 Blank Page Support - Show empty viewer with show_blank_page()
  • ⚙️ Viewer Options - Control page, zoom, and sidebar when loading PDFs
  • 🔒 Security - Configurable security policies, suppress external links
  • 🎛️ Feature Control - Enable/disable specific UI features
  • 📦 PyInstaller Ready - Automatic bundling for frozen applications
  • 🔧 Customizable - Use custom PDF.js versions
  • 🌐 Cross-Platform - Works on Windows, macOS, and Linux

Installation

pip install pdfjs-viewer-pyqt6

Optional dependencies for Qt print dialog:

pip install pdfjs-viewer-pyqt6[qt-print]

Quick Start

from PyQt6.QtWidgets import QApplication, QMainWindow
from pdfjs_viewer import PDFViewerWidget

app = QApplication([])
window = QMainWindow()
window.resize(1024, 768)

# Create viewer
viewer = PDFViewerWidget()
viewer.load_pdf("document.pdf")

# Or show blank page
# viewer.show_blank_page()

# Connect signals
viewer.pdf_loaded.connect(lambda meta: print(f"Loaded: {meta['filename']}"))
viewer.pdf_saved.connect(lambda data, path: print(f"Saved to {path}"))

window.setCentralWidget(viewer)
window.show()
app.exec()

Viewer Options

Control how PDFs are displayed when loaded:

# Open at specific page with custom zoom
viewer.load_pdf("document.pdf", page=5, zoom="page-width")

# Open with bookmarks sidebar visible
viewer.load_pdf("document.pdf", pagemode="bookmarks")

# Combine multiple options
viewer.load_pdf(
    "document.pdf",
    page=10,
    zoom=150,  # 150% zoom
    pagemode="thumbs"  # Show thumbnails
)

Supported Options:

  • page: Page number to open (1-indexed)
  • zoom: Zoom level - named ("page-width", "page-height", "page-fit", "auto") or numeric (10-1000)
  • pagemode: Sidebar state - "none", "thumbs", "bookmarks", or "attachments"
  • nameddest: Named destination to navigate to

Theme Support

The viewer automatically follows system theme preferences for light and dark mode.

Theme Features

  1. Automatic Detection: Follows system/application theme via CSS prefers-color-scheme
  2. Built-in Dark Mode: PDF.js includes native dark mode styling that activates automatically
  3. No Configuration Needed: Works out of the box

Blank Page Display

Show an empty viewer without a PDF loaded:

viewer.show_blank_page()

The blank page automatically follows the system theme.

Configuration

Disable Features

from pdfjs_viewer import PDFViewerWidget, PDFViewerConfig, PDFFeatures

features = PDFFeatures(
    print_enabled=True,
    save_enabled=True,
    load_enabled=False,      # Disable file loading
    presentation_mode=False,  # Disable presentation mode button
    stamp_enabled=False,      # Disable stamp annotations
)

config = PDFViewerConfig(features=features)
viewer = PDFViewerWidget(config=config)

Security Settings

from pdfjs_viewer import PDFSecurityConfig

security = PDFSecurityConfig(
    allow_external_links=False,   # Block external URLs
    block_remote_content=True,    # Block remote resources
)

config = PDFViewerConfig(security=security)
viewer = PDFViewerWidget(config=config)

Custom PDF.js

You can initialize the widget with a customized version of PDF.js

viewer = PDFViewerWidget(
    pdfjs_path="/path/to/custom/pdfjs-5.5.0-dist"
)

This "should" work fine for minor releases or cosmetic changes and will most likely break for major releases.

API Reference

PDFViewerWidget

Main widget class for viewing PDFs.

Methods

  • load_pdf(source: str | Path | bytes) - Load PDF from file path or bytes
  • show_blank_page() - Show empty viewer (respects current theme)
  • save_pdf(output_path: str = None) -> bytes - Save PDF with annotations
  • print_pdf() - Trigger print dialog
  • get_pdf_data() -> bytes - Get current PDF data with annotations
  • has_annotations() -> bool - Check if PDF has been annotated
  • goto_page(page: int) - Navigate to specific page
  • get_page_count() -> int - Get total page count
  • get_current_page() -> int - Get current page number
  • set_features_enabled(features: PDFFeatures) - Update feature flags

Signals

All signals developers can listen to:

  • pdf_loaded(metadata: dict) - Emitted when PDF successfully loads. Metadata includes filename, page count, and other PDF information.
  • pdf_saved(data: bytes, path: str) - Emitted when PDF is saved. Provides PDF data with baked-in annotations and the save path.
  • print_requested(data: bytes) - Emitted when print is triggered using SYSTEM or QT_DIALOG handlers. Contains PDF data ready for printing.
  • print_data_ready(data: bytes, filename: str) - Emitted when using EMIT_SIGNAL print handler. Provides PDF data and original filename for custom print handling.
  • annotation_modified() - Emitted when annotations are added, changed, or removed.
  • page_changed(current: int, total: int) - Emitted when current page changes. Provides current page number and total page count.
  • error_occurred(message: str) - Emitted when errors occur during PDF operations.
  • external_link_blocked(url: str) - Emitted when an external link is blocked by security settings.

Configuration Classes

PDFFeatures

Controls which UI features are enabled.

PDFFeatures(
    print_enabled: bool = True,
    save_enabled: bool = True,
    load_enabled: bool = True,
    presentation_mode: bool = True,
    highlight_enabled: bool = True,
    freetext_enabled: bool = True,
    ink_enabled: bool = True,
    stamp_enabled: bool = True,
    signature_enabled: bool = True,
    comment_enabled: bool = True,
    find_enabled: bool = True,
    zoom_enabled: bool = True,
    rotation_enabled: bool = True,
)

PDFSecurityConfig

Security and privacy settings.

PDFSecurityConfig(
    allow_external_links: bool = False,
    allow_javascript: bool = False,
    block_remote_content: bool = True,
    sandbox_enabled: bool = True,
    allowed_protocols: List[str] = ["http", "https"],
)

PDFViewerConfig

Main configuration container.

PDFViewerConfig(
    features: PDFFeatures = PDFFeatures(),
    security: PDFSecurityConfig = PDFSecurityConfig(),
    auto_open_folder_on_save: bool = True,
    confirm_before_external_link: bool = True,
)

Print Handling

The viewer supports multiple print handling modes to fit different application needs. Configure via the print_handler setting in PDFViewerConfig.

Print Handler Modes

SYSTEM (Default)

Opens PDF with system default viewer for printing. Simple and reliable.

from pdfjs_viewer import PDFViewerWidget, PDFViewerConfig, PrintHandler

config = PDFViewerConfig(print_handler=PrintHandler.SYSTEM)
viewer = PDFViewerWidget(config=config)

# Listen to print_requested signal
viewer.print_requested.connect(lambda data: print(f"Opening {len(data)} bytes in system viewer"))

Best for:

  • Simple applications
  • Delegating to OS print dialog
  • Maximum compatibility

QT_DIALOG

Uses a basic Qt print dialog with pypdfium2 for PDF rendering. Requires pypdfium2 package.

config = PDFViewerConfig(
    print_handler=PrintHandler.QT_DIALOG,
    print_dpi=300,              # DPI for rendering (default: 300)
    print_fit_to_page=True,     # Scale to fit page (default: True)
    print_parallel_pages=4       # Parallel rendering (default: 4)
)
viewer = PDFViewerWidget(config=config)

# Listen to print_requested signal
viewer.print_requested.connect(lambda data: print("Qt print dialog opening"))

Best for:

  • Embedded printing without external apps
  • Custom print settings UI
  • Direct printer access

Requirements:

pip install pypdfium2

EMIT_SIGNAL

Emits signal with PDF data for completely custom handling. No built-in printing.

config = PDFViewerConfig(print_handler=PrintHandler.EMIT_SIGNAL)
viewer = PDFViewerWidget(config=config)

# Listen to print_data_ready signal (NOT print_requested)
def handle_print(pdf_data: bytes, filename: str):
    print(f"Custom print handling for {filename}")
    # Send to print server, save to queue, etc.

viewer.print_data_ready.connect(handle_print)

Best for:

  • Server-side printing
  • Print queue systems
  • Custom print workflows
  • Cloud printing services

Print Handler Comparison

Mode Signal Requires pypdfium2 Use Case
SYSTEM print_requested(bytes) No Simple, OS-based printing
QT_DIALOG print_requested(bytes) Yes Embedded Qt print dialog
EMIT_SIGNAL print_data_ready(bytes, str) No Custom print handling

Print Configuration Options

Additional settings available for QT_DIALOG mode:

config = PDFViewerConfig(
    print_handler=PrintHandler.QT_DIALOG,
    print_dpi=300,              # Rendering DPI (default: 300)
    print_fit_to_page=True,     # Scale to fit vs actual size (default: True)
    print_parallel_pages=4       # Pages to render in parallel (default: 4)
)

Configuration Presets

The package provides 7 pre-configured presets for common use cases. You can use them as-is or customize them for your specific needs.

Available Presets

from pdfjs_viewer import PDFViewerWidget, ConfigPresets

# List all available presets
print(ConfigPresets.list())
# ['readonly', 'simple', 'annotation', 'form', 'kiosk', 'safer', 'unrestricted']

1. readonly - View-Only Mode

Maximum security, no editing capabilities.

viewer = PDFViewerWidget(preset="readonly")

Features: No printing, no saving, no annotations, no external links Best for: Kiosk displays, untrusted PDFs, embedded viewing

2. simple - Basic Viewer

Standard PDF viewing with print/save.

viewer = PDFViewerWidget(preset="simple")

Features: Print, save, basic annotations (highlight, text) Best for: General PDF viewing, most common use case

3. annotation - Full Editing

All annotation and editing tools enabled.

viewer = PDFViewerWidget(preset="annotation")

Features: All annotation tools, file loading, external links Best for: PDF review, collaborative annotation, document workflows

4. form - Form Filling

Optimized for PDF form completion.

viewer = PDFViewerWidget(preset="form")

Features: Text input, signatures, no external links Best for: Government forms, insurance applications, contract signing

5. kiosk - Public Terminal

For 24/7 public displays.

viewer = PDFViewerWidget(preset="kiosk")

Features: Print only, no saving/editing, maximum stability Best for: Libraries, museums, public information terminals

6. safer - Maximum Stability

For crash-prone or embedded systems.

viewer = PDFViewerWidget(preset="safer")

Features: Minimal features, all stability options enabled, basic viewing Best for: Embedded Linux, older Qt versions, mission-critical apps

7. unrestricted - Full PDF.js (Default)

No restrictions, all features enabled.

viewer = PDFViewerWidget(preset="unrestricted")
# or simply
viewer = PDFViewerWidget()  # unrestricted is default

Features: Everything enabled, developer-friendly Best for: Development, testing, fully trusted PDFs

Customizing Presets

There are three ways to customize presets to fine-tune behavior for your application:

Method 1: Simple Customization (Quick Override)

Use the customize parameter for simple property changes:

# Start with readonly, but enable saving
viewer = PDFViewerWidget(
    preset="readonly",
    customize={
        "features": {"save_enabled": True}
    }
)

# Start with simple, but use Qt print dialog
viewer = PDFViewerWidget(
    preset="simple",
    customize={
        "print_handler": PrintHandler.QT_DIALOG,
        "features": {"ink_enabled": True}
    }
)

Method 2: Hybrid Approach (Recommended)

Get preset config, modify it, then pass to widget:

from pdfjs_viewer import PDFViewerWidget, ConfigPresets, PrintHandler

# Start with annotation preset
config = ConfigPresets.annotation()

# Fine-tune specific settings
config.print_handler = PrintHandler.EMIT_SIGNAL
config.features.stamp_enabled = False
config.security.allow_external_links = False

# Create viewer with customized config
viewer = PDFViewerWidget(config=config)

This approach gives you:

  • IDE autocomplete for settings
  • Type checking
  • Clear, readable code
  • Full control over configuration

Method 3: Custom Preset Builder

Use ConfigPresets.custom() for complex customizations:

from pdfjs_viewer import ConfigPresets, PrintHandler

config = ConfigPresets.custom(
    base="simple",
    features={
        "ink_enabled": True,
        "stamp_enabled": True,
    },
    security={
        "allow_external_links": False,
    },
    print_handler=PrintHandler.QT_DIALOG,
    print_dpi=600,
)

viewer = PDFViewerWidget(config=config)

Fine-Tuning Examples

Example 1: Readonly + Save Only

Allow users to view and save PDFs, but not edit:

config = ConfigPresets.readonly()
config.features.save_enabled = True
viewer = PDFViewerWidget(config=config)

Example 2: Annotation with Custom Print

Full annotation tools but with custom print handling:

config = ConfigPresets.annotation()
config.print_handler = PrintHandler.EMIT_SIGNAL

viewer = PDFViewerWidget(config=config)
viewer.print_data_ready.connect(my_custom_print_handler)

Example 3: Simple + Stability

Basic viewer with maximum stability:

config = ConfigPresets.simple()
config.stability = ConfigPresets.safer().stability
viewer = PDFViewerWidget(config=config)

Example 4: Custom Feature Mix

Cherry-pick features from different presets:

from pdfjs_viewer import PDFViewerConfig, PDFFeatures, PDFSecurityConfig

config = PDFViewerConfig(
    features=PDFFeatures(
        print_enabled=True,
        save_enabled=True,
        highlight_enabled=True,
        ink_enabled=True,
        stamp_enabled=False,
    ),
    security=PDFSecurityConfig(
        allow_external_links=True,
        block_remote_content=True,
    ),
    print_handler=PrintHandler.QT_DIALOG,
)

viewer = PDFViewerWidget(config=config)

Preset Configuration Reference

Each preset configures three main areas:

  1. Features (PDFFeatures) - Which UI elements are enabled
  2. Security (PDFSecurityConfig) - Link and content policies
  3. Stability (PDFStabilityConfig) - WebEngine stability settings

See Configuration Classes section above for full details on available settings.

Examples

See examples/ directory for complete examples:

PyInstaller Support

PDF.js files are automatically bundled when freezing your application. A hook automatically includes all required PDF.js files and templates.

Directory structure (PyInstaller >= 5.0):

dist/your_app/
├── your_app.exe          # Executable
└── _internal/            # All resources
    └── pdfjs_viewer/     # Automatically included

Requirements

  • Python >= 3.8
  • PyQt6 >= 6.10.0
  • PyQt6-WebEngine >= 6.10.0

PDF.js Version

This package bundles PDF.js version 5.4.530 (Apache License 2.0).

License

This package is licensed under the GNU General Public License v3.0 or later (GPL-3.0-or-later).

See LICENSE for the full license text.

PyQt6 GPL Notice

This module uses PyQt6, licensed under the GPL v3.

Important for application developers:

  • Applications using this module must be licensed under GPL v3 or a compatible license
  • You must provide source code to users of your application
  • This is a copyleft license - derivative works must also be GPL
  • See LICENSE_NOTICE.md for full compliance details

For proprietary applications: Use pdfjs-viewer-pyside6 instead, which is licensed under LGPL v3.

Bundled Dependencies

  • PDF.js - Apache License 2.0 (see src/pdfjs_viewer/pdfjs/LICENSE)

Contributing

Contributions are welcome! Please open an issue or pull request on GitHub.

Support

  • Issues: GitHub Issues
  • Documentation: Full API documentation available in source code

Changelog

v1.0.0 (2026-01-12)

  • Initial release
  • PDF.js 5.4.530 integration
  • Annotation support (highlight, text, ink, stamp)
  • Save/print with annotations
  • Light/dark mode synchronization
  • show_blank_page() function for empty viewer
  • Configurable feature control
  • Security settings and sandbox
  • PyInstaller support (>= 5.0 with _internal directory)

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

pdfjs_viewer_pyqt6-1.0.0.tar.gz (6.2 MB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

pdfjs_viewer_pyqt6-1.0.0-py3-none-any.whl (6.6 MB view details)

Uploaded Python 3

File details

Details for the file pdfjs_viewer_pyqt6-1.0.0.tar.gz.

File metadata

  • Download URL: pdfjs_viewer_pyqt6-1.0.0.tar.gz
  • Upload date:
  • Size: 6.2 MB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.12.3

File hashes

Hashes for pdfjs_viewer_pyqt6-1.0.0.tar.gz
Algorithm Hash digest
SHA256 0595b2d470e6fc67bdf2da09d55c08243dfff8437574ada79bce130e085c1a75
MD5 3861993b6f3240306505e09164473752
BLAKE2b-256 62166dc3917cea65884aa2a2d48f801c3336334146e1c7c53b42ffc72ff65dd6

See more details on using hashes here.

File details

Details for the file pdfjs_viewer_pyqt6-1.0.0-py3-none-any.whl.

File metadata

File hashes

Hashes for pdfjs_viewer_pyqt6-1.0.0-py3-none-any.whl
Algorithm Hash digest
SHA256 bd1d45e9fbf8d4275f7dcf73f8f828029657649b448394a2489a47b1be093732
MD5 c727a9cd3061c796609321ee3c8533e8
BLAKE2b-256 b893c6a33bb08b0d265da6bd385d74e8216acef7544ef0083d240223c656d4f3

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page