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-smart-file-uploader

v2.0.0

Published

A powerful and customizable file uploader component for React with support for images, PDFs, Excel, and Word documents. Features compression, cropping, and session persistence

Downloads

27

Readme

React Smart File Uploader

🚀 A powerful and customizable file uploader component for React supporting images, PDFs, Excel, and Word documents with intelligent compression, cropping, and session persistence.

Features

  • Easy to use: Simple API with sensible defaults
  • 📄 Multiple file types: Images, PDFs, Excel (.xlsx, .xls), Word (.docx, .doc)
  • 🗜️ Smart compression: Automatic compression for images and PDFs
  • 🖼️ Image cropping: Circle and square cropping with customizable dimensions
  • 💾 Session persistence: Keep uploaded files across page refreshes
  • 🎨 Fully customizable: Replace the default UI with your own components
  • 📱 Responsive: Works great on desktop and mobile
  • 🔧 TypeScript: Full TypeScript support with comprehensive types
  • 🌐 Universal: Works with any React application
  • 📦 Lightweight: Minimal dependencies

Installation

npm install react-smart-file-uploader

or

yarn add react-smart-file-uploader

Quick Start

import React, { useState } from 'react';
import { ImageUploader, ProcessedImage } from 'react-smart-file-uploader';

function App() {
  const [files, setFiles] = useState<ProcessedImage[]>([]);

  return (
    <div>
      <ImageUploader
        multiple
        onFilesChange={setFiles}
        accept="image/*"
        maxFiles={5}
        maxSize={5 * 1024 * 1024} // 5MB
      />
      
      <div>
        <h3>Uploaded Files:</h3>
        {files.map((file, index) => (
          <div key={index}>
            <img src={file.url} alt={file.file.name} width={100} />
            <p>{file.file.name}</p>
          </div>
        ))}
      </div>
    </div>
  );
}

Supported File Types

The uploader intelligently handles different file types:

Images

  • Formats: JPG, PNG, GIF, WebP, SVG, etc.
  • Compression: ✅ Automatic (configurable quality)
  • Cropping: ✅ Supported (circle/square)
  • Preview: ✅ Thumbnail display

PDFs

  • Formats: PDF
  • Compression: ✅ Automatic optimization
  • Cropping: ❌ Not applicable
  • Preview: ✅ File icon display

Excel Spreadsheets

  • Formats: .xlsx, .xls
  • Compression: ❌ Disabled (preserves data integrity)
  • Cropping: ❌ Not applicable
  • Preview: ✅ File icon display

Word Documents

  • Formats: .docx, .doc
  • Compression: ❌ Disabled (preserves formatting)
  • Cropping: ❌ Not applicable
  • Preview: ✅ File icon display

API Reference

ImageUploader Props

| Prop | Type | Default | Description | |------|------|---------|-------------| | multiple | boolean | false | Allow multiple file selection | | accept | string | undefined | File types to accept (e.g., "image/*", "application/pdf", ".xlsx,.xls,.docx,.doc") | | maxFiles | number | 10 | Maximum number of files | | maxSize | number | 5242880 | Maximum file size in bytes (5MB) | | disabled | boolean | false | Disable the uploader | | compression | CompressionConfig \| null | { quality: 0.2, maxWidth: 1920, maxHeight: 1080 } | Compression settings for images and PDFs (pass null to disable) | | crop | CropConfig | undefined | Image cropping settings | | session | SessionConfig | undefined | Session persistence settings | | customUI | (props: CustomUIProps) => ReactNode | undefined | Custom UI renderer | | showPreview | boolean | true | Show file previews | | showProgress | boolean | false | Show upload progress | | className | string | undefined | CSS class name | | style | CSSProperties | undefined | Inline styles | | uploadText | string | "Click to upload or drag and drop" | Upload area text | | dragText | string | "Drop files here" | Drag active text | | errorText | object | See below | Error messages | | onFilesChange | (files: ProcessedImage[]) => void | undefined | Files change callback | | onError | (error: string) => void | undefined | Error callback | | onProgress | (progress: number) => void | undefined | Progress callback | | onCrop | (croppedImage: ProcessedImage) => void | undefined | Crop complete callback |

CompressionConfig

interface CompressionConfig {
  quality: number; // 0.1 to 1.0
  maxWidth?: number;
  maxHeight?: number;
  convertSize?: number; // Convert to JPEG if larger than this size
}

CropConfig

interface CropConfig {
  enabled: boolean;
  shape: 'circle' | 'square';
  width?: number;
  height?: number;
  aspect?: number; // width/height ratio
}

SessionConfig

interface SessionConfig {
  enabled: boolean;
  key?: string; // localStorage key
  clearOnUnmount?: boolean;
}

Usage Examples

Basic Image Upload

import { ImageUploader } from 'react-smart-file-uploader';

function BasicUpload() {
  return (
    <ImageUploader
      accept="image/*"
      onFilesChange={(files) => console.log('Files:', files)}
    />
  );
}

Multi-Format File Upload

function MultiFormatUpload() {
  const [files, setFiles] = useState<ProcessedImage[]>([]);

  return (
    <ImageUploader
      multiple
      accept="image/*,.pdf,.xlsx,.xls,.docx,.doc"
      maxFiles={10}
      maxSize={10 * 1024 * 1024} // 10MB
      onFilesChange={(files) => {
        setFiles(files);
        files.forEach(file => {
          console.log('File type:', file.file.fileCategory);
          console.log('Original size:', file.file.size);
        });
      }}
    />
  );
}

PDF Upload with Compression

function PDFUpload() {
  return (
    <ImageUploader
      multiple
      accept=".pdf"
      compression={{
        quality: 0.7, // PDF compression quality
        maxWidth: 1920,
        maxHeight: 1080,
      }}
      onFilesChange={(files) => {
        files.forEach(file => {
          console.log('PDF compressed:', file.base64);
        });
      }}
    />
  );
}

Excel/Word Upload (No Compression)

function DocumentUpload() {
  return (
    <ImageUploader
      multiple
      accept=".xlsx,.xls,.docx,.doc"
      // Compression is automatically disabled for Excel and Word files
      onFilesChange={(files) => {
        files.forEach(file => {
          console.log('Document uploaded:', file.file.name);
          console.log('File category:', file.file.fileCategory);
        });
      }}
    />
  );
}

### Multi-Format File Upload

```tsx
function MultiFormatUpload() {
  const [files, setFiles] = useState<ProcessedImage[]>([]);

  return (
    <ImageUploader
      multiple
      accept="image/*,.pdf,.xlsx,.xls,.docx,.doc"
      maxFiles={10}
      maxSize={10 * 1024 * 1024} // 10MB
      onFilesChange={(files) => {
        setFiles(files);
        files.forEach(file => {
          console.log('File type:', file.file.fileCategory);
          console.log('Original size:', file.file.size);
        });
      }}
    />
  );
}

PDF Upload with Compression

function PDFUpload() {
  return (
    <ImageUploader
      multiple
      accept=".pdf"
      compression={{
        quality: 0.7, // PDF compression quality
        maxWidth: 1920,
        maxHeight: 1080,
      }}
      onFilesChange={(files) => {
        files.forEach(file => {
          console.log('PDF compressed:', file.base64);
        });
      }}
    />
  );
}

Excel/Word Upload (No Compression)

function DocumentUpload() {
  return (
    <ImageUploader
      multiple
      accept=".xlsx,.xls,.docx,.doc"
      // Compression is automatically disabled for Excel and Word files
      onFilesChange={(files) => {
        files.forEach(file => {
          console.log('Document uploaded:', file.file.name);
          console.log('File category:', file.file.fileCategory);
        });
      }}
    />
  );
}

Multiple Files with Compression

function MultipleUpload() {
  return (
    <ImageUploader
      multiple
      maxFiles={10}
      compression={{
        quality: 0.8,
        maxWidth: 1920,
        maxHeight: 1080,
      }}
      onFilesChange={(files) => {
        files.forEach(file => {
          console.log('Base64:', file.base64);
          console.log('Blob:', file.blob);
        });
      }}
    />
  );
}

Disable Compression

function NoCompressionUpload() {
  return (
    <ImageUploader
      multiple
      compression={null} // Disable compression entirely
      onFilesChange={(files) => {
        // Files will be uploaded without compression
        console.log('Original files:', files);
      }}
    />
  );
}

Image Cropping

function CroppingUpload() {
  return (
    <ImageUploader
      crop={{
        enabled: true,
        shape: 'circle',
        width: 200,
        height: 200,
      }}
      onCrop={(croppedImage) => {
        console.log('Cropped image:', croppedImage);
      }}
    />
  );
}

Session Persistence

function PersistentUpload() {
  return (
    <ImageUploader
      multiple
      session={{
        enabled: true,
        key: 'my-upload-session',
        clearOnUnmount: false,
      }}
      onFilesChange={(files) => {
        // Files will persist across page refreshes
        console.log('Persistent files:', files);
      }}
    />
  );
}

Custom UI

function CustomUIUpload() {
  return (
    <ImageUploader
      customUI={({ isDragActive, openFileDialog, files, removeFile }) => (
        <div className="my-custom-uploader">
          <button 
            onClick={openFileDialog}
            className={isDragActive ? 'drag-active' : ''}
          >
            {isDragActive ? 'Drop it!' : 'Click to Upload'}
          </button>
          
          <div className="file-list">
            {files.map((file, index) => (
              <div key={index} className="file-item">
                <img src={file.url} alt={file.file.name} />
                <button onClick={() => removeFile(index)}>Remove</button>
              </div>
            ))}
          </div>
        </div>
      )}
    />
  );
}

Using Ref for Programmatic Control

import { useRef } from 'react';
import { ImageUploader, ImageUploaderRef } from 'react-smart-file-uploader';

function RefExample() {
  const uploaderRef = useRef<ImageUploaderRef>(null);

  const handleClearAll = () => {
    uploaderRef.current?.clearFiles();
  };

  const handleOpenDialog = () => {
    uploaderRef.current?.openFileDialog();
  };

  const handleGetFiles = () => {
    const files = uploaderRef.current?.getFiles();
    console.log('Current files:', files);
  };

  return (
    <div>
      <ImageUploader ref={uploaderRef} multiple />
      
      <div>
        <button onClick={handleOpenDialog}>Open File Dialog</button>
        <button onClick={handleClearAll}>Clear All</button>
        <button onClick={handleGetFiles}>Get Files</button>
      </div>
    </div>
  );
}

Styling

The component uses Tailwind CSS classes by default, but you can easily customize the styling:

Using CSS Classes

<ImageUploader
  className="my-uploader"
  // ... other props
/>
.my-uploader {
  border: 2px dashed #ccc;
  border-radius: 8px;
  padding: 20px;
}

.my-uploader:hover {
  border-color: #007bff;
}

Using Inline Styles

<ImageUploader
  style={{
    border: '2px dashed #ccc',
    borderRadius: '8px',
    padding: '20px',
  }}
/>

TypeScript Support

The package is written in TypeScript and provides comprehensive type definitions:

import {
  ImageUploader,
  ProcessedImage,
  ImageUploaderProps,
  ImageUploaderRef,
  CropConfig,
  CompressionConfig,
  SessionConfig,
} from 'react-smart-file-uploader';

Browser Support

  • Chrome (latest)
  • Firefox (latest)
  • Safari (latest)
  • Edge (latest)

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

License

MIT © [Your Name]

Changelog

v2.0.0 (Latest)

  • 🎉 Major Update: Multi-format file support
  • ✨ Added support for PDF files with automatic compression
  • ✨ Added support for Excel files (.xlsx, .xls) - compression disabled
  • ✨ Added support for Word documents (.docx, .doc) - compression disabled
  • 🔧 Added fileCategory property to track file types
  • 🔧 Enhanced file type detection with getFileCategory utility
  • 🎨 Improved file preview with type-specific icons
  • 📝 Renamed package from react-smart-image-uploader to react-smart-file-uploader
  • 📚 Updated documentation with multi-format examples

v1.0.0

  • Initial release
  • Image upload with drag & drop
  • Image compression
  • Image cropping (circle/square)
  • Session persistence
  • Custom UI support
  • TypeScript support