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 🙏

© 2024 – Pkg Stats / Ryan Hefner

@remix-breeze/toast

v1.3.16

Published

A simple server-side toast notification library for Remix

Downloads

10

Readme

@remix-breeze/toast Documentation

Introduction

The @remix-breeze/toast library allows you to easily create and manage flash toast notification messages in a Remix application using cookie-based session storage.

Installation

npm install @remix-breeze/toast

Getting Started

In a breeze-toast.server.ts file, create an instance using the createBreezeToast function.

Creating a Breeze Toast Instance

You need to initialize the toast with cookie options, primarily a secret for the cookie session.

import { createBreezeToast } from "@remix-breeze/toast";

const breezeToast = createBreezeToast({
  cookie: {
    secret: "your-secret-key",
  },
});

export default breezeToast;

You can optionally provide a name for the cookie:

const toast = createBreezeToast({
  cookie: {
    name: "my-toast-cookie",
    secret: "your-secret-key",
  },
});

Usage

After creating the instance and export it, you can import it and use it in your routes' loader functions and action functions.

Example

import breezeToast from "./breeze-toast.server,ts";

export async function action({ params }: ActionFunctionArgs) {
  try {
    await deletePost(params.id);
    const headers = await breezeToast.success("Post deleted successfully");
    return redirect("/posts", { headers });
  } catch (error) {
    const headers = await breezeToast.error("An error occurred while deleting the post");
    return redirect("/posts", { headers });
  }
}

Consuming the Toast Notifications on the UI

In any page you want to show your notification, you can get the toast using the breezeToast.getData method, return in your loader response, then use the useLoaderData Remix hook to access the toast data, and show it in your UI.

You can also access it and render it once in your root route, and any page will be able to show the toast notification.

Example

In your root route root.tsx file, import your breezeToast instance, get the data in a loader function and return it.

import breezeToast from "./breeze-toast.server";

async function loader({ request }: LoaderFunctionArgs) {
  const { toastData, headers } = await breezeToast.getData(request);
  return json({ toastData }, { headers });
}

Then, in the same root route root.tsx file, access the loader data using useLoaderData in your component and render the toastData message in the UI.

export function App() {
  const loaderData = useLoaderData<typeof loader>();
  const toastData = loaderData.toastData;

  return (
    <html lang="en">
      <head>...</head>
      <body>
        <div className="toast-notification">
          <p>{toastData.type}</p>
          <p>{toastData.message}</p>
        </div>
        <Outlet />
        <ScrollRestoration />
        <Scripts />
      </body>
    </html>
  );
}

Styling

Feel free to style the toast message container as you wish base on the type. The type can be error, success, info, warning.

Use With Client Side Toast Notification Library

You can easily use it with a client side Toast Notification Library, like react-toastify.

Here is an example:

import React from "react";
import breezeToast from "./breeze-toast.server";
import { ToastContainer, toast } from "react-toastify";

async function loader({ request }: LoaderFunctionArgs) {
  const { toastData, headers } = await breezeToast.getData(request);
  return json({ toastData }, { headers });
}

export function App() {
  const loaderData = useLoaderData<typeof loader>();

  /* Using useEffect to show the toast notification */
  React.useEffect(() => {
    if (loaderData.toastData) {
      const { type, message } = loaderData.toastData;
      toast[type](message);
    }
  }, [loaderData.toastData]);

  return (
    <html lang="en" className={clsx(theme)}>
      <body>
        <Outlet />
        <ScrollRestoration />
        <Scripts />
        {/* Render the toast container */}
        <ToastContainer />
      </body>
    </html>
  );
}

Methods

successRedirect

Adds a flash toast object to the session storage with type success and the specified message, committing the session object to the storage and redirecting to the specified URL.

Parameters
  • options:
    • message: string - The message to display.
    • to: string - The URL to redirect to after displaying the toast.
Example
await breezeToast.successRedirect({
  to: "/dashboard",
  message: "This is a success message",
});

errorRedirect

Adds a flash toast object to the toast session with type error and the specified message, committing the session object to the storage and redirecting to the specified URL.

Parameters
  • options:
    • message: string - The message to display.
    • to: string - The URL to redirect to after displaying the toast.
Example
await breezeToast.errorRedirect({
  to: "/dashboard",
  message: "This is an error message",
});

infoRedirect

Adds a flash toast object to the toast session with type info and the specified message, committing the session object to the storage and redirecting to the specified URL.

Parameters
  • options:
    • message: string - The message to display.
    • to: string - The URL to redirect to after displaying the toast.
Example
await breezeToast.infoRedirect({
  to: "/dashboard",
  message: "This is an info message",
});

warningRedirect

Adds a flash toast object to the toast session with type warning and the specified message, committing the session object to the storage and redirecting to the specified URL.

Parameters
  • options:
    • message: string - The message to display.
    • to: string - The URL to redirect to after displaying the toast.
Example
await breezeToast.warningRedirect({
  to: "/dashboard",
  message: "This is a warning message",
});

success

Adds a flash toast object to the toast session with type success and the specified message.

Parameters
  • message: string - The message to display.
Returns
  • Promise<Headers> - The headers object with the "Set-Cookie" property.
Example
export async function action({ params }: ActionFunctionArgs) {
  await deletePost(params.id);
  const headers = await breezeToast.success("Post deleted successfully");
  return redirect("/posts", { headers });
}

error

Adds a flash toast object to the toast session with type error and the specified message.

Parameters
  • message: string - The message to display.
Returns
  • Promise<Headers> - The headers object with the "Set-Cookie" property.
Example
export async function action({ params }: ActionFunctionArgs) {
  try {
    await deletePost(params.id);
    const headers = await breezeToast.success("Post deleted successfully");
    return redirect("/posts", { headers });
  } catch (error) {
    const headers = await breezeToast.error("An error occurred while deleting the post");
    return redirect("/posts", { headers });
  }
}

info

Adds a flash toast object to the toast session with type info and the specified message.

Parameters
  • message: string - The message to display.
Returns
  • Promise<Headers> - The headers object with the "Set-Cookie" property.
Example
export async function action({ params }: ActionFunctionArgs) {
  await deletePost(params.id);
  const headers = await breezeToast.info("Some info message");
  return redirect("/posts", { headers });
}

warning

Adds a flash toast object to the toast session with type warning and the specified message.

Parameters
  • message: string - The message to display.
Returns
  • Promise<Headers> - The headers object with the "Set-Cookie" property.
Example
export async function action({ params }: ActionFunctionArgs) {
  await deletePost(params.id);
  const headers = await breezeToast.warning("Some warning message");
  return redirect("/posts", { headers });
}

getToastSession

Get the toast session object. When you call this function, it will return the session object. It's your responsibility to extract the toast data from the session object and commit the session object back to the storage.

Parameters
  • request: Request - The request object.
Returns
  • Promise<Session> - The session object.
Example
async function loader({ request }: LoaderFunctionArgs) {
  const session = await breezeToast.getToastSession(request);
  const toastData = session.get("breeze_toast");
  return json(
    { toastData },
    {
      headers: {
        "Set-Cookie": await breezeToast.sessionStorage.commitSession(session),
      },
    }
  );
}

getData

Get the toast data from the session storage and commit the session object back to the storage.

Parameters
  • request: Request - The request object.
Returns
  • Promise<{toastData: {type: "success" | "error" | "info" | "warning"; message: string;}; headers: Headers}> - An object containing the toast data and the headers object.
Example
async function loader({ request }: LoaderFunctionArgs) {
  const { toastData, headers } = await breezeToast.getData(request);
  return json({ toastData }, { headers });
}

getWithJson

Get the toast and add additional data to the response object. This function is useful when you want to add additional data to the response object before sending it to the client.

Parameters
  • request: Request - The request object.
  • data: T - An object containing the additional data to add to the response object.
Returns
  • Promise<Response> - The response object with the "toastData" property and the additional data.
Example
async function loader({ request }: LoaderFunctionArgs) {
  return toast.getWithJson(request, { message: "Hello World" });
}

The session storage object with methods getSession, commitSession, and destroySession. You'll rarely need to use this unless you want to manually manipulate the toast cookie session.