npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

react-native-optimized-pdf

v1.1.0

Published

Ultra high-performance PDF viewer for React Native. Renders massive PDFs (1000+ pages) with extreme zoom levels while using minimal memory. 10x faster than native PDFKit on iOS, prevents crashes on large documents. Uses CATiledLayer (iOS) and PdfRenderer

Downloads

299

Readme

React Native Optimized PDF

High-performance PDF viewer for React Native with optimized memory usage. Uses CATiledLayer on iOS and PdfRenderer on Android for smooth rendering with automatic caching.

Features

  • 🚀 Optimized memory usage with CATiledLayer (iOS) and PdfRenderer (Android)
  • 📦 Automatic caching with configurable expiration
  • 📱 Smooth zoom and scroll with customizable maximum zoom
  • 🎯 Built-in page navigation with optional custom controls
  • 📊 Comprehensive event callbacks for load, error, and page events
  • 🎨 High-quality rendering with antialiasing support
  • 📈 Download progress tracking for remote PDFs
  • TypeScript support with full type definitions
  • 🔧 Modular architecture with exportable utilities
  • 🤖 Cross-platform support for iOS and Android
  • 🔒 Password-protected PDF support

Installation

npm install react-native-optimized-pdf
# or
yarn add react-native-optimized-pdf

iOS Setup

cd ios && pod install

Android Setup

No additional setup required! The module will be automatically linked.

Usage

Basic Example

import OptimizedPdfView from 'react-native-optimized-pdf';

function App() {
  return (
    <OptimizedPdfView source={{ uri: 'https://example.com/sample.pdf' }} style={{ flex: 1 }} />
  );
}

Advanced Example with All Options

import OptimizedPdfView from 'react-native-optimized-pdf';

function App() {
  return (
    <OptimizedPdfView
      source={{
        uri: 'https://example.com/sample.pdf',
        cache: true,
        cacheFileName: 'my-custom-file.pdf',
        expiration: 86400, // 24 hours in seconds
        headers: {
          Authorization: 'Bearer token',
        },
      }}
      maximumZoom={5}
      enableAntialiasing={true}
      showNavigationControls={true}
      style={{ flex: 1 }}
      onLoadComplete={(page, dimensions) => {
        console.log(`Loaded page ${page}`, dimensions);
      }}
      onPageCount={(count) => {
        console.log(`Total pages: ${count}`);
      }}
      onPageChange={(page) => {
        console.log(`Changed to page ${page}`);
      }}
      onError={(error) => {
        console.error('PDF Error:', error.nativeEvent.message);
      }}
    />
  );
}

Password Protected PDF

import OptimizedPdfView from 'react-native-optimized-pdf';
import { useState } from 'react';

function App() {
  const [password, setPassword] = useState('');
  const [showPasswordPrompt, setShowPasswordPrompt] = useState(false);

  return (
    <>
      <OptimizedPdfView
        source={{ uri: 'https://example.com/protected.pdf' }}
        password={password}
        onPasswordRequired={() => {
          setShowPasswordPrompt(true);
        }}
        onError={(error) => {
          if (error.nativeEvent.message.includes('Invalid password')) {
            alert('Wrong password, please try again');
          }
        }}
        style={{ flex: 1 }}
      />
      {/* Your password input modal */}
    </>
  );
}

Custom Navigation Controls

import OptimizedPdfView from 'react-native-optimized-pdf';
import { useState } from 'react';
import { View, Text } from 'react-native';

function App() {
  const [currentPage, setCurrentPage] = useState(0);
  const [totalPages, setTotalPages] = useState(1);

  return (
    <View style={{ flex: 1 }}>
      <OptimizedPdfView
        source={{ uri: 'https://example.com/sample.pdf' }}
        showNavigationControls={false}
        onPageCount={setTotalPages}
        onPageChange={setCurrentPage}
        style={{ flex: 1 }}
      />

      {/* Your custom navigation UI */}
      <Text>
        Page {currentPage + 1} of {totalPages}
      </Text>
    </View>
  );
}

Using Cache Service Directly

import { PdfCacheService } from 'react-native-optimized-pdf';

// Clear specific cache
await PdfCacheService.clearCache({ uri: 'https://example.com/file.pdf' });

// Clear all cached PDFs
await PdfCacheService.clearAllCache();

// Get cache size in bytes
const size = await PdfCacheService.getCacheSize();
console.log(`Cache size: ${size / 1024 / 1024} MB`);

// Check if cache is valid
const isValid = await PdfCacheService.isCacheValid({
  uri: 'https://example.com/file.pdf',
  expiration: 3600,
});

API Reference

OptimizedPdfView Props

| Prop | Type | Default | Description | | ------------------------ | ------------------------------------------------------- | ------------ | -------------------------------------- | | source | PdfSource | required | PDF source configuration | | password | string | - | Password for encrypted PDF files | | maximumZoom | number | 3 | Maximum zoom level | | enableAntialiasing | boolean | true | Enable antialiasing for better quality | | showNavigationControls | boolean | true | Show built-in navigation controls | | style | ViewStyle | - | Container style | | onLoadComplete | (page: number, dimensions: PdfPageDimensions) => void | - | Called when PDF loads | | onPageCount | (count: number) => void | - | Called when page count is available | | onPageChange | (page: number) => void | - | Called when page changes | | onError | (error: PdfErrorEvent) => void | - | Called on error | | onPasswordRequired | () => void | - | Called when PDF requires a password |

PdfSource

| Property | Type | Default | Description | | --------------- | ------------------------ | ------------ | ------------------------------------------------------------ | | uri | string | required | PDF file URI (remote URL or local path) | | cache | boolean | true | Enable local caching | | cacheFileName | string | MD5 of URI | Custom filename for cached file | | expiration | number | - | Cache expiration in seconds (0 or undefined = no expiration) | | headers | Record<string, string> | - | HTTP headers for download |

PdfCacheService

Static methods for managing PDF cache:

  • getCacheFilePath(source: PdfSource): string - Get local cache path
  • isCacheValid(source: PdfSource): Promise<boolean> - Check if cache is valid
  • downloadPdf(source: PdfSource, onProgress?: (percent: number) => void): Promise<string> - Download and cache PDF
  • clearCache(source: PdfSource): Promise<void> - Clear specific cached file
  • clearAllCache(): Promise<void> - Clear all cached PDFs
  • getCacheSize(): Promise<number> - Get total cache size in bytes

Components

PdfNavigationControls

Reusable navigation controls component:

import { PdfNavigationControls } from 'react-native-optimized-pdf';

<PdfNavigationControls
  currentPage={0}
  totalPages={10}
  onNextPage={() => {}}
  onPrevPage={() => {}}
  onPageChange={(page) => {}}
/>;

PdfLoadingOverlay

Loading state component with progress:

import { PdfLoadingOverlay } from 'react-native-optimized-pdf';

<PdfLoadingOverlay progress={75} />;

PdfErrorOverlay

Error state component:

import { PdfErrorOverlay } from 'react-native-optimized-pdf';

<PdfErrorOverlay error="Failed to load PDF" />;

Platform Support

| Platform | Supported | Min Version | | -------- | --------- | ----------- | | iOS | ✅ Yes | iOS 12.0+ | | Android | ✅ Yes | API 24+ |

Performance Tips

  1. Enable caching for remote PDFs to avoid re-downloading
  2. Set cache expiration for frequently updated documents
  3. Use custom cache filenames for better cache management
  4. Monitor cache size and clear old files periodically
  5. Adjust maximum zoom based on your needs (lower = better performance)
  6. Hide navigation controls if implementing custom UI

Troubleshooting

PDF not loading

  • Check that the URI is accessible
  • Verify network permissions for remote URLs
  • Check console for error messages
  • Ensure file format is valid PDF

High memory usage

  • Reduce maximumZoom value
  • Clear cache periodically
  • Use smaller PDF files when possible

Cache not working

  • Verify write permissions
  • Check available storage space
  • Ensure cache is not set to false

Password protected PDF not opening

  • Use onPasswordRequired callback to prompt user for password
  • Pass the password via the password prop
  • Check for "Invalid password" in error message to show retry prompt

License

MIT

Contributing

Contributions are welcome! Please open an issue or submit a pull request.

Author

Created with ❤️ for the React Native community