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-cool-toast

v2.1.0

Published

A lightweight, customizable toast notification library for React

Readme

React Cool Toast 🍞

A lightweight, customizable toast notification library for React applications. Built with TypeScript and inspired by react-hot-toast.

Features

  • 🎨 Beautiful & Customizable: Clean design with customizable styles and themes
  • 🚀 Lightweight: Minimal bundle size with zero dependencies
  • 📱 Responsive: Works perfectly on mobile and desktop
  • Accessible: Built with accessibility in mind (ARIA attributes, keyboard navigation)
  • 🎭 Multiple Types: Success, error, warning, info, and loading toasts
  • Promise Support: Built-in promise-based notifications
  • 🎯 Flexible Positioning: 6 different positions to choose from
  • 🌙 Theme Variants: 6 built-in themes (light, dark, glass, neon, minimal, colorful)
  • 📦 TypeScript: Full TypeScript support with type definitions
  • 🎪 Animations: Smooth enter/exit animations
  • 🔊 Sound Notifications: Optional sound feedback for different toast types
  • 📊 Progress Bar: Visual progress indicator for toast duration
  • 👆 Swipe to Dismiss: Touch-friendly swipe gestures on mobile
  • 🎬 Action Buttons: Add custom action buttons (Retry, Undo, etc.)
  • 🎯 Toast Queue: Smart queue system with max toast limits
  • 🌐 Rich Content: Support for HTML content, images, and links
  • 🎛️ Advanced Controls: Dismissible, auto-dismiss, and loading states

Installation

npm install react-cool-toast
# or
yarn add react-cool-toast
# or
pnpm add react-cool-toast

Quick Start

  1. Wrap your app with ToastProvider:
import React from 'react';
import { ToastProvider } from 'react-cool-toast';

function App() {
  return (
    <ToastProvider
      maxToasts={5}
      enableSounds={true}
      defaultTheme="light"
      defaultPosition="top-right"
    >
      {/* Your app components */}
    </ToastProvider>
  );
}
  1. Add the Toaster component:
import { Toaster } from 'react-cool-toast';

function App() {
  return (
    <ToastProvider>
      {/* Your app components */}
      <Toaster />
    </ToastProvider>
  );
}
  1. Use toast notifications:
import toast from 'react-cool-toast';

function MyComponent() {
  const handleSuccess = () => {
    toast.success('Operation completed successfully!');
  };

  const handleError = () => {
    toast.error('Something went wrong!');
  };

  const handlePromise = async () => {
    toast.promise(
      fetch('/api/data'),
      {
        loading: 'Loading...',
        success: 'Data loaded successfully!',
        error: 'Failed to load data',
      }
    );
  };

  return (
    <div>
      <button onClick={handleSuccess}>Success Toast</button>
      <button onClick={handleError}>Error Toast</button>
      <button onClick={handlePromise}>Promise Toast</button>
    </div>
  );
}

API Reference

Toast Methods

toast(message, options?)

Display a basic toast notification.

toast('Hello World!');
toast('Custom message', { type: 'success', duration: 5000 });

toast.success(message, options?)

Display a success toast.

toast.success('Operation completed!');

toast.error(message, options?)

Display an error toast.

toast.error('Something went wrong!');

toast.warning(message, options?)

Display a warning toast.

toast.warning('Please check your input');

toast.info(message, options?)

Display an info toast.

toast.info('Here is some information');

toast.loading(message, options?)

Display a loading toast (doesn't auto-dismiss).

const id = toast.loading('Processing...');
// Later: toast.dismiss(id);

toast.promise(promise, messages, options?)

Display a toast that updates based on promise state.

toast.promise(
  fetch('/api/data'),
  {
    loading: 'Loading...',
    success: (data) => `Loaded ${data.length} items`,
    error: (err) => `Error: ${err.message}`,
  }
);

toast.dismiss(id)

Dismiss a specific toast.

const id = toast('This will be dismissed');
toast.dismiss(id);

toast.dismissAll()

Dismiss all toasts.

toast.dismissAll();

Toast Options

interface ToastOptions {
  id?: string;                    // Custom ID for the toast
  duration?: number;              // Auto-dismiss duration (0 = no auto-dismiss)
  position?: ToastPosition;       // Position of the toast
  type?: ToastType;              // Type of toast
  icon?: React.ReactNode;        // Custom icon
  className?: string;            // Custom CSS class
  style?: React.CSSProperties;   // Custom styles
  onClose?: () => void;          // Callback when toast closes
  onOpen?: () => void;           // Callback when toast opens
}

Toast Types

type ToastType = 'success' | 'error' | 'loading' | 'info' | 'warning';

Toast Positions

type ToastPosition = 
  | 'top-left'
  | 'top-center'
  | 'top-right'
  | 'bottom-left'
  | 'bottom-center'
  | 'bottom-right';

Toaster Props

interface ToasterProps {
  position?: ToastPosition;           // Default position for toasts
  reverseOrder?: boolean;             // Reverse the order of toasts
  gutter?: number;                    // Gap between toasts
  containerClassName?: string;        // Custom CSS class for container
  containerStyle?: React.CSSProperties; // Custom styles for container
  toastOptions?: Partial<ToastOptions>; // Default options for toasts
}

Advanced Usage

Custom Styling

// Custom toast with styles
toast('Custom styled toast', {
  className: 'my-custom-toast',
  style: { backgroundColor: '#ff6b6b', color: 'white' },
  icon: <CustomIcon />,
});

// Custom toaster container
<Toaster
  position="top-center"
  containerClassName="my-toaster"
  containerStyle={{ top: '20px' }}
  toastOptions={{
    duration: 3000,
    className: 'my-default-toast',
  }}
/>

Multiple Toasters

function App() {
  return (
    <ToastProvider>
      <Toaster position="top-right" />
      <Toaster position="bottom-left" />
      {/* Your app */}
    </ToastProvider>
  );
}

// Use specific positions
toast('Top right toast', { position: 'top-right' });
toast('Bottom left toast', { position: 'bottom-left' });

Custom Icons

import { CheckIcon, XIcon } from '@heroicons/react/24/outline';

toast.success('Success!', { icon: <CheckIcon /> });
toast.error('Error!', { icon: <XIcon /> });

Promise with Custom Messages

const uploadFile = async (file: File) => {
  return toast.promise(
    uploadToServer(file),
    {
      loading: `Uploading ${file.name}...`,
      success: (response) => `File uploaded successfully! ID: ${response.id}`,
      error: (error) => `Upload failed: ${error.message}`,
    },
    {
      position: 'bottom-center',
      duration: 5000,
    }
  );
};

🆕 New Features

Theme Variants

Choose from 6 beautiful built-in themes:

// Glass theme with blur effect
toast.glass('Glassmorphism toast!');

// Neon cyberpunk theme
toast.neon('Welcome to the future!');

// Minimal clean theme
toast.minimal('Less is more');

// Colorful gradient theme
toast.colorful('Rainbow vibes!');

// Or set theme directly
toast.success('Success!', { theme: 'dark' });

Sound Notifications

Add audio feedback to your toasts:

// Enable sounds globally in ToastProvider
<ToastProvider enableSounds={true}>

// Individual toast sounds
toast.success('Success!', { sound: 'success' });
toast.error('Error!', { sound: 'error' });

// Silent toast
toast.silent('No sound for this one');

// Custom sound types: 'success', 'error', 'warning', 'info', 'notification'
toast('Custom!', { sound: 'notification' });

Progress Bar

Visual progress indicator for toast duration:

// Show progress bar
toast.progress('Processing...', { duration: 5000 });

// Or enable via options
toast.success('Done!', { 
  showProgress: true,
  duration: 3000 
});

Action Buttons

Add interactive buttons to your toasts:

// Single action
toast.action(
  'File uploaded successfully!',
  [
    { 
      label: 'View', 
      onClick: () => openFile(),
      style: 'primary' 
    }
  ]
);

// Multiple actions
toast.action(
  'Are you sure you want to delete this item?',
  [
    { 
      label: 'Delete', 
      onClick: () => deleteItem(),
      style: 'danger' 
    },
    { 
      label: 'Cancel', 
      onClick: () => console.log('Cancelled'),
      style: 'secondary' 
    }
  ],
  { type: 'warning' }
);

// Direct options usage
toast('Action toast', {
  actions: [
    { label: 'Retry', onClick: retryFunction, style: 'primary' },
    { label: 'Cancel', onClick: cancelFunction, style: 'secondary' }
  ]
});

Rich Content

Support for HTML content, images, and links:

// Rich HTML content
toast.rich(`
  <div>
    <h4>New Message</h4>
    <p>You have received a message from <strong>John Doe</strong></p>
    <img src="/avatar.jpg" alt="Avatar" style="width: 40px; border-radius: 50%;" />
  </div>
`);

// With links
toast.rich(`
  <div>
    Check out our <a href="https://example.com" target="_blank">new features</a>!
  </div>
`);

Swipe to Dismiss

Touch-friendly swipe gestures (enabled by default on mobile):

// Disable swipe for specific toast
toast('Cannot swipe this', { swipeable: false });

// Swipe is enabled by default
toast('Swipe me away on mobile!');

Advanced Controls

// Non-dismissible toast
toast('Important notice', { 
  dismissible: false,
  duration: 0 // Won't auto-dismiss
});

// Custom duration
toast('Quick message', { duration: 1000 });

// Persistent toast (manual dismiss only)
toast('Stays until dismissed', { duration: 0 });

Toast Queue Management

Automatically manages toast overflow:

<ToastProvider maxToasts={3}>
  {/* Only 3 toasts per position will be shown */}
</ToastProvider>

// Older toasts are automatically removed when limit is reached
for (let i = 0; i < 10; i++) {
  toast(`Toast ${i + 1}`);
}

Enhanced ToastProvider Options

<ToastProvider
  maxToasts={5}                    // Max toasts per position
  enableSounds={true}              // Enable sound notifications
  defaultTheme="glass"             // Default theme for all toasts
  defaultPosition="top-center"     // Default position
>
  <App />
</ToastProvider>

Styling

The library comes with beautiful default styles, but you can customize them:

CSS Custom Properties

:root {
  --toast-bg: white;
  --toast-border: #e5e7eb;
  --toast-text: #374151;
  --toast-shadow: 0 4px 12px rgba(0, 0, 0, 0.15);
}

Custom CSS Classes

.my-custom-toast {
  background: linear-gradient(45deg, #ff6b6b, #4ecdc4);
  border: none;
  color: white;
}

.my-custom-toast .cool-toast-icon {
  color: white;
}

Browser Support

  • Chrome 60+
  • Firefox 60+
  • Safari 12+
  • Edge 79+

Contributing

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

License

MIT © YEL-59

Acknowledgments