You're Invited:Meet the Socket Team at BlackHat and DEF CON in Las Vegas, Aug 4-6.RSVP β†’
Socket
Book a DemoInstallSign in
Socket

ng-pdf-renderer

Package Overview
Dependencies
Maintainers
1
Versions
10
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

ng-pdf-renderer

A modern, zero-configuration PDF viewer for Angular applications with enhanced error handling, auto-fit, text selection, and responsive design

1.2.0
latest
Source
npmnpm
Version published
Weekly downloads
24
-29.41%
Maintainers
1
Weekly downloads
Β 
Created
Source

ng-pdf-renderer πŸ“„

A modern, zero-configuration PDF viewer for Angular applications with intelligent auto-fit, text selection, and responsive design.

npm version License: MIT Angular

✨ Features

  • πŸš€ Zero Configuration - Works out of the box with sensible defaults
  • πŸ“± Responsive Design - Auto-fits to any container size
  • πŸ“ Text Selection - Copy text directly from PDFs
  • πŸ” Search Functionality - Find text within documents
  • πŸ–¨οΈ Print & Download - Built-in actions
  • πŸ”„ Zoom & Rotation - Interactive controls
  • πŸ“„ Continuous Scrolling - All pages rendered seamlessly
  • 🎯 Modern Angular - Standalone components, signals, Angular 19+
  • πŸ› οΈ Auto PDF.js Setup - No manual worker configuration needed
  • ⚠️ Enhanced Error Handling - Comprehensive error events with categorization

πŸ“¦ Installation

npm install ng-pdf-renderer

πŸš€ Quick Start

import { Component } from '@angular/core';
import { PdfViewerComponent } from 'ng-pdf-renderer';

@Component({
  selector: 'app-pdf-demo',
  standalone: true,
  imports: [PdfViewerComponent],
  template: `
    <ng-pdf-viewer [src]=\"pdfUrl\"></ng-pdf-viewer>
  `
})
export class PdfDemoComponent {
  pdfUrl = '/assets/document.pdf';
}

That's it! The PDF viewer will automatically:

  • Fit the PDF to your container width
  • Enable text selection
  • Handle high-DPI displays
  • Set up PDF.js worker automatically

βš™οΈ Configuration Options

Default Values (Applied Automatically)

interface PdfOptions {
  // Display Options
  height?: string;                    // Default: '500px'
  width?: string;                     // Default: '100%'
  
  // Auto-Fit Behavior  
  autoFit?: boolean;                  // Default: true
  initialZoom?: number;               // Default: 1.0 (100%)
  initialPage?: number;               // Default: 1
  
  // Text & Interaction
  enableTextSelection?: boolean;      // Default: true
  renderTextLayer?: boolean;          // Default: true
  renderAnnotationLayer?: boolean;    // Default: true
  
  // Controls Visibility
  showControls?: boolean;             // Default: false (hidden)
  showNavigation?: boolean;           // Default: true
  showZoomControls?: boolean;         // Default: true
  showRotationControls?: boolean;     // Default: true
  showDownloadButton?: boolean;       // Default: true
  showPrintButton?: boolean;          // Default: true
  showSearchBar?: boolean;            // Default: true
  showThumbnails?: boolean;           // Default: false
  showOutline?: boolean;              // Default: false
}

Custom Configuration Example

import { Component } from '@angular/core';
import { PdfViewerComponent, PdfOptions } from 'ng-pdf-renderer';

@Component({
  selector: 'app-custom-pdf',
  standalone: true,
  imports: [PdfViewerComponent],
  template: `
    <ng-pdf-viewer 
      [src]=\"pdfUrl\" 
      [options]=\"pdfOptions\"
      (pageChange)=\"onPageChange($event)\"
      (documentLoaded)=\"onDocumentLoaded($event)\">
    </ng-pdf-viewer>
  `
})
export class CustomPdfComponent {
  pdfUrl = '/assets/document.pdf';
  
  pdfOptions: PdfOptions = {
    height: '800px',
    showControls: true,        // Show control bar
    initialZoom: 1.2,          // 120% zoom
    autoFit: false,            // Disable auto-fit
    showThumbnails: true       // Show thumbnail panel
  };
  
  onPageChange(page: number) {
    console.log('Current page:', page);
  }
  
  onDocumentLoaded(document: any) {
    console.log('PDF loaded:', document.numPages, 'pages');
  }
}

⚠️ Error Handling (NEW in v1.2.0)

Handle PDF loading and rendering errors with the new errorOccurred event:

@Component({
  template: `
    <ng-pdf-viewer 
      [src]="pdfUrl"
      (errorOccurred)="onPdfError($event)">
    </ng-pdf-viewer>
  `
})
export class MyComponent {
  onPdfError(error: PdfError): void {
    console.error(`${error.type}: ${error.message}`);
    
    // Handle different error types
    if (error.type === 'network') {
      this.showRetryOption();
    } else if (error.type === 'permission') {
      this.requestPassword();
    }
  }
}

Error Interface:

interface PdfError {
  type: 'load' | 'render' | 'network' | 'permission' | 'corrupt' | 'timeout' | 'unknown';
  message: string;
  pageNumber?: number;      // For page-specific errors
  timestamp: Date;
}

🎯 Auto-Fit vs Manual Zoom Controls

How Auto-Fit Works

The autoFit feature (enabled by default) automatically scales PDFs to fit your container:

  • Responsive: Adapts to container width changes
  • Scale bounds: Between 10% and 300% for readability
  • Container-aware: Calculates optimal zoom based on available space

Important: Auto-Fit vs Manual Zoom Interaction

⚠️ When autoFit: true (default), manual zoom controls may not work as expected:

// With auto-fit enabled (default):
pdfOptions: PdfOptions = {
  showControls: true,     // Shows zoom controls
  autoFit: true          // But auto-fit overrides manual changes!
};

Solutions:

Option 1: Disable Auto-Fit for Manual Control

pdfOptions: PdfOptions = {
  autoFit: false,         // Disable auto-fit
  initialZoom: 1.0,       // Set desired zoom
  showControls: true      // Manual controls work normally
};

Option 2: Use Auto-Fit Only (Recommended)

pdfOptions: PdfOptions = {
  autoFit: true,          // Let auto-fit handle everything
  showControls: false     // Hide manual controls to avoid confusion
  // PDF scales automatically - no manual intervention needed
};

πŸ“± Container CSS Best Practices

/* βœ… Good - Let the PDF scale naturally */
.pdf-container {
  width: 100%;
  max-width: 1200px;
  margin: 0 auto;
}

/* ❌ Avoid - These can cause rendering issues */
.pdf-container {
  overflow: hidden;         /* Can cut off content */
  height: 400px;           /* Fixed height without overflow: auto */
  max-width: 300px;        /* Too restrictive */
}

πŸ”§ Advanced Features

Event Handling

@Component({
  template: `
    <ng-pdf-viewer 
      [src]=\"pdfUrl\"
      (pageChange)=\"onPageChange($event)\"
      (documentLoaded)=\"onDocumentLoaded($event)\"
      (errorOccurred)=\"onError($event)\">
    </ng-pdf-viewer>
  `
})
export class AdvancedPdfComponent {
  onPageChange(pageNumber: number) {
    console.log(`User navigated to page ${pageNumber}`);
  }
  
  onDocumentLoaded(document: any) {
    console.log(`PDF loaded with ${document.numPages} pages`);
  }
  
  onError(error: PdfError) {
    console.error('PDF error:', error);
  }
}

Loading from Different Sources

export class PdfSourcesComponent {
  // Local file
  localPdf = '/assets/document.pdf';
  
  // External URL
  externalPdf = 'https://example.com/document.pdf';
  
  // Base64 data
  base64Pdf = 'data:application/pdf;base64,JVBERi0xLjQK...';
  
  // Uint8Array (from file upload)
  arrayBuffer: Uint8Array;
  
  onFileSelected(event: any) {
    const file = event.target.files[0];
    if (file.type === 'application/pdf') {
      const reader = new FileReader();
      reader.onload = (e) => {
        this.arrayBuffer = new Uint8Array(e.target?.result as ArrayBuffer);
      };
      reader.readAsArrayBuffer(file);
    }
  }
}

πŸ› Troubleshooting

Common Issues

PDF not displaying:

// Check console for errors
// Ensure PDF URL is accessible
// Verify CORS headers for external PDFs

Text selection not working:

pdfOptions: PdfOptions = {
  enableTextSelection: true,  // Ensure this is true
  renderTextLayer: true       // Required for text selection
};

Manual zoom controls not responding:

pdfOptions: PdfOptions = {
  autoFit: false,             // Disable auto-fit
  showControls: true,         // Show controls
  initialZoom: 1.0            // Set desired zoom
};

PDF too large/small:

pdfOptions: PdfOptions = {
  autoFit: true,              // Let auto-fit handle sizing
  initialZoom: undefined      // Don't override auto-fit
};

Performance issues:

pdfOptions: PdfOptions = {
  renderAnnotationLayer: false,  // Disable if not needed
  showThumbnails: false          // Disable heavy features
};

πŸ”§ Browser Support

  • Chrome: 90+ βœ…
  • Firefox: 88+ βœ…
  • Safari: 14+ βœ…
  • Edge: 90+ βœ…

πŸ“‹ Requirements

  • Angular: 19.1.0 or higher
  • Node.js: 18.0.0 or higher
  • TypeScript: 5.0 or higher

🀝 Contributing

  • Fork the repository
  • Create a feature branch
  • Make your changes
  • Add tests if applicable
  • Submit a pull request

πŸ“„ License

MIT Β© askinjohn

Made with ❀️ for the Angular community

Keywords

angular

FAQs

Package last updated on 20 Jun 2025

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts