19th October 2020 7 min read

How to create React Notifications/Toasts with 0 dependencies

Seif Ghezala

In this article, we will demonstrate how to build React Notifications (toasts) from scratch, without using any third-party library (except React).

The notification component has the following requirements:

  1. Four color variations: info (blue), success (green), warning (orange), and error (red).
  2. It's positioned on the top right of the screen.
  3. It's animated to slide in when it's added and slide out when it's removed. The other notifications should slide vertically when a notification is removed.
  4. I can create notifications that close automatically after 10 seconds.
  5. I can create notifications declaratively in JSX (e.g <Notification color="success" />).
  6. I can create notifications imperatively by calling a function (e.g. success()).

The final source code can be found here and a demo can be viewed here.

Note about the boilerplate and CSS in this article

I used create-react-app to generate the boilerplate for this project and CSS modules to style it.

You're free to use any other tools to generate the boilerplate and style the component.

Creating the Notification component

Here's our directory structure, we'll go through every single file in it:

text
1├── App.css2├── App.js3├── index.css4├── index.js5└── notify6   ├── Notification7   |  ├── Notification.module.css8   |  ├── index.js9   |  └── times.svg10   ├── createContainer11   |  ├── container.module.css12   |  └── index.js13   └── index.js

The Notification component

jsx
1// notify/Notification/index.js2
3import React from "react";4import PropTypes from "prop-types";5import cn from "classnames";6
7import { ReactComponent as Times } from "./times.svg";8import styles from "./Notification.module.css";9
10export default function Notification({ color = Color.info, children }) {11  return (12    <div className={cn([styles.notification, styles[color]])}>13      {children}14      <button className={styles.closeButton}>15        <Times height={16} />16      </button>17    </div>18  );19}20
21export const Color = {22  info: "info",23  success: "success",24  warning: "warning",25  error: "error",26};27
28Notification.propTypes = {29  notificationType: PropTypes.oneOf(Object.keys(Color)),30  children: PropTypes.element,31};32

The Notification component so far has 2 props:

  • color: a string value that determines the background color of the notification and can be either info, success, warning, or error.
  • children: any React elements we want to render inside the notification.

And here are its styles:

css
1/* notify/Notification/Notification.module.css */2
3.notification {4  max-width: 430px;5  max-height: 200px;6  overflow: hidden;7  padding: 12px 48px 12px 12px;8  z-index: 99;9  font-weight: bold;10  position: relative;11}12
13.notification:not(:last-child) {14  margin-bottom: 8px;15}16
17.notification.info {18  background-color: #2196f3;19}20
21.notification.success {22  background-color: #4caf50;23}24
25.notification.warning {26  background-color: #ff9800;27}28
29.notification.error {30  background-color: #f44336;31}32
33.notification .closeButton {34  position: absolute;35  top: 12px;36  right: 12px;37  background: transparent;38  padding: 0;39  border: none;40  cursor: pointer;41}42
43.notification,44.notification .closeButton {45  color: #fff;46}47

Rendering notifications in the document's body

Our notifications should be rendered separately from the DOM structure of the application using them.

createContainer is a helper function that creates a container element for the notifications (if it doesn't exist already) and append it directly to the document's body:

javascript
1// notify/createContainer/index.js2import styles from "./container.module.css";3
4export default function createContainer() {5  const portalId = "notifyContainer";6  let element = document.getElementById(portalId);7
8  if (element) {9    return element;10  }11
12  element = document.createElement("div");13  element.setAttribute("id", portalId);14  element.className = styles.container;15  document.body.appendChild(element);16  return element;17}

It has a fixed position and is placed on the top right as per our requirements:

css
1/* notify/createContainer/container.module.css */2
3.container {4  position: fixed;5  top: 16px;6  right: 16px;7}

We can then use ReactDOM.createPortal to render the notification in the container we create:

javascript
1// notify/Notification/index.js2
3const container = createContainer();4
5export default function Notification({ color = Color.info, children }) {6  return createPortal(7    <div className={cn([styles.notification, styles[color]])}>8      {children}9      <button className={styles.closeButton}>10        <Times height={16} />11      </button>12    </div>,13    container14  );15}


First demo

Before writing a demo, let's expose Notification and its Color object in notify/index.js so that they can be imported and used:

javascript
1// notify/index.js2
3export { default as Notification, Color } from "./Notification";

Now let's write a demo to showcase the different notifications:

jsx
1// App.js2
3import React from "react";4import "./App.css";5import { Notification, Color } from "./notify";6
7function App() {8  const [notifications, setNotifications] = React.useState([]);9
10  const createNotification = (color) =>11    setNotifications([...notifications, { color, id: notifications.length }]);12
13  return (14    <div className="App">15      <h1>Notification Demo</h1>16      <button onClick={() => createNotification(Color.info)}>Info</button>17      <button onClick={() => createNotification(Color.success)}>Success</button>18      <button onClick={() => createNotification(Color.warning)}>Warning</button>19      <button onClick={() => createNotification(Color.error)}>Error</button>20      {notifications.map(({ id, color }) => (21        <Notification key={id} color={color}>22          This is a notification!23        </Notification>24      ))}25    </div>26  );27}28
29export default App;

Our demo simply renders a list of notifications and has 4 different buttons to add colored notifications to our list.

First demo: showing basic colored notifications

Closing notifications

Let's make it possible to close notifications by adding an onDelete prop to Notification and making the close button invoke that function on click:

jsx
1// notify/Notification/index.js2
3export default function Notification({4  color = Color.info,5  onDelete,6  children,7}) {8  return createPortal(9    <div className={cn([styles.notification, styles[color]])}>10      {children}11      <button onClick={onDelete} className={styles.closeButton}>12        <Times height={16} />13      </button>14    </div>,15    container16  );17}

Now, in App.js, we pass an onDelete prop function that deletes the corresponding notification from the list:

jsx
1// App.js2
3function App() {4  const [notifications, setNotifications] = React.useState([]);5
6  const createNotification = (color) =>7    setNotifications([...notifications, { color, id: notifications.length }]);8
9  const deleteNotification = (id) =>10    setNotifications(11      notifications.filter((notification) => notification.id !== id)12    );13
14  return (15    <div className="App">16      <h1>Notification Demo</h1>17      <button onClick={() => createNotification(Color.info)}>Info</button>18      <button onClick={() => createNotification(Color.success)}>Success</button>19      <button onClick={() => createNotification(Color.warning)}>Warning</button>20      <button onClick={() => createNotification(Color.error)}>Error</button>21      {notifications.map(({ id, color }) => (22        <Notification23          key={id}24          onDelete={() => deleteNotification(id)}25          color={color}26        >27          This is a notification!28        </Notification>29      ))}30    </div>31  );32}

Adding "slide-in" and "slide-out" animations

Notifications are added and deleted too fast, which might confuse users. By adding "slide-in" and "slide-out" animations, we make notifications behave more naturally and improve the user experience.

To slide the notification in, we simply use the translateX CSS transform and translate it from 100% to 0. Here's the corresponding animation created with keyframes:

css
1/* notify/Notification/Notification.module.css */2
3@keyframes slideIn {4  from {5    transform: translateX(100%);6  }7
8  to {9    transform: translateX(0%);10  }11}12
13.notification.slideIn {14  animation-name: slideIn;15  animation-duration: 0.3s;16  animation-timing-function: ease-in-out;17}18

"slide-out" is a bit more tricky. When hitting the close button, we need to have a "closing" phase before calling the onDelete prop function. During the closing phase, we can slide the notification out using translateX(150%) and add a transition to notification to smoothen the "slide-out".

Here are the styles corresponding to the "slide-out" animation:

css
1/* notify/Notification/Notification.module.css */2
3.notification {4  ...5  transition: transform 0.3s ease-out;6}7
8.notification.slideOut {9  transform: translateX(150%);10  flex: 0;11}

To achieve the closing phase in Notification, we can use a boolean state variable isClosing (set to false by default) . When we hit the close button, we set isClosing to true , wait for a the transition duration (300ms here), and then call the onDelete function.

We only use the slideIn animation styles when we're not in the closing phase (i.e. isClosing=false) and slideOut animation styles when we're in the closing phase (i.e. isCloseing=true).

jsx
1// notify/Notification/index.js2
3let timeToDelete = 300;4
5export default function Notification({6  color = Color.info,7  onDelete,8  children,9}) {10  const [isClosing, setIsClosing] = React.useState(false);11
12  React.useEffect(() => {13    if (isClosing) {14      const timeoutId = setTimeout(onDelete, timeToDelete);15
16      return () => {17        clearTimeout(timeoutId);18      };19    }20  }, [isClosing, onDelete]);21
22  return createPortal(23    <div24      className={cn([25        styles.notification,26        styles[color],27        { [styles.slideIn]: !isClosing },28        { [styles.slideOut]: isClosing },29      ])}30    >31      {children}32      <button onClick={() => setIsClosing(true)} className={styles.closeButton}>33        <Times height={16} />34      </button>35    </div>,36    container37  );38}

Animating notifications shift

When a notification is deleted, the ones below it shift suddenly to the top to fill up its position.

To make this shift more natural, let's add a container around the notification that shrinks smoothly during the closing phase:

jsx
1// notify/Notification/index.js2
3let timeToDelete = 300;4
5export default function Notification({6  color = Color.info,7  onDelete,8  children,9}) {10  const [isClosing, setIsClosing] = React.useState(false);11
12  React.useEffect(() => {13    if (isClosing) {14      const timeoutId = setTimeout(onDelete, timeToDelete);15
16      return () => {17        clearTimeout(timeoutId);18      };19    }20  }, [isClosing, onDelete]);21
22  return createPortal(23    <div className={cn([styles.container, { [styles.shrink]: isClosing }])}>24      <div25        className={cn([26          styles.notification,27          styles[color],28          { [styles.slideIn]: !isClosing },29          { [styles.slideOut]: isClosing },30        ])}31      >32        {children}33        <button34          onClick={() => setIsClosing(true)}35          className={styles.closeButton}36        >37          <Times height={16} />38        </button>39      </div>40    </div>,41    container42  )

The container has a max-height of 200px by default and shrinks to 0 during the closing phase. We should also move the margin definition to the container:

css
1/* notify/Notification/Notification.module.css */2
3.container {4  overflow: hidden;5  max-height: 200px;6  transition: max-height 0.3s ease-out;7}8
9.container:not(:last-child) {10  margin-bottom: 8px;11}12
13.container.shrink {14  max-height: 0;15}

Making notifications close automatically

Let's add an autoClose boolean prop to the Notification component and use useEffect to close the notification after 10 seconds if the prop is set to true.

jsx
1// notify/Notification/index.js2
3export default function Notification({4  color = Color.info,5  autoClose = false,6  onDelete,7  children,8}) {9  const [isClosing, setIsClosing] = React.useState(false);10
11  React.useEffect(() => {12    if (autoClose) {13      const timeoutId = setTimeout(() => setIsClosing(true), timeToClose);14
15      return () => {16        clearTimeout(timeoutId);17      };18    }19  }, [autoClose]);20

Now let's modify our demo to pass autoClose=true to the notifications:

jsx
1// App.js2
3function App() {4  const [notifications, setNotifications] = React.useState([]);5
6  const createNotification = (color) =>7    setNotifications([...notifications, { color, id: notifications.length }]);8
9  const deleteNotification = (id) =>10    setNotifications(11      notifications.filter((notification) => notification.id !== id)12    );13
14  return (15    <div className="App">16      <h1>Notification Demo</h1>17      <button onClick={() => createNotification(Color.info)}>Info</button>18      <button onClick={() => createNotification(Color.success)}>Success</button>19      <button onClick={() => createNotification(Color.warning)}>Warning</button>20      <button onClick={() => createNotification(Color.error)}>Error</button>21      {notifications.map(({ id, color }) => (22        <Notification23          key={id}24          onDelete={() => deleteNotification(id)}25          color={color}26          autoClose={true}27        >28          This is a notification!29        </Notification>30      ))}31    </div>32  );33}34

Now notifications close automatically after 10 seconds of their creation:

Creating notifications imperatively

We want to be able to create notifications imperatively, by calling functions such as success() or error().

The trick is to create a component similar to our App one that is rendered by default and provides us a function to create notifications.

Let's create NotificationsManager to serve that purpose:

jsx
1// notify/NotificationsManager2
3import React from "react";4import PropTypes from "prop-types";5
6import Notification from "./Notification";7
8export default function NotificationsManager({ setNotify }) {9  let [notifications, setNotifications] = React.useState([]);10
11  let createNotification = ({ color, autoClose, children }) => {12    setNotifications((prevNotifications) => {13      return [14        ...prevNotifications,15        {16          children,17          color,18          autoClose,19          id: prevNotifications.length,20        },21      ];22    });23  };24
25  React.useEffect(() => {26    setNotify(({ color, autoClose, children }) =>27      createNotification({ color, autoClose, children })28    );29  }, [setNotify]);30
31  let deleteNotification = (id) => {32    const filteredNotifications = notifications.filter(33      (_, index) => id !== index,34      []35    );36    setNotifications(filteredNotifications);37  };38
39  return notifications.map(({ id, ...props }, index) => (40    <Notification41      key={id}42      onDelete={() => deleteNotification(index)}43      {...props}44    />45  ));46}47
48NotificationsManager.propTypes = {49  setNotify: PropTypes.func.isRequired,50};

NotificationsManager receives one prop setNotify , which is used to give access to the createNotification function to create notifications imperatively.

Now let's render NotificationsManager in the same container as Notfication and create our notification creation functions. We access createNotification function through the setNotify prop and use it to create our notification creation functions:

jsx
1// notify/index.js2
3import React from "react";4import ReactDOM from "react-dom";5
6import NotificationsManager from "./NotificationsManager";7import Notification, { Color } from "./Notification";8import createContainer from "./createContainer";9
10const containerElement = createContainer();11let notify;12
13ReactDOM.render(14  <NotificationsManager15    setNotify={(notifyFn) => {16      notify = notifyFn;17    }}18  />,19  containerElement20);21
22export { Notification, Color };23
24export function info(children, autoClose) {25  return notify({26    color: Color.info,27    children,28    autoClose,29  });30}31
32export function success(children, autoClose) {33  return notify({34    color: Color.success,35    children,36    autoClose,37  });38}39
40export function warning(children, autoClose) {41  return notify({42    color: Color.warning,43    children,44    autoClose,45  });46}47
48export function error(children, autoClose) {49  return notify({50    color: Color.error,51    children,52    autoClose,53  });54}

Now let's test these functions out in App.js . Let's also make 2 changes to improve our demo:

  • Make it possible to show both declarative and imperative approaches.
  • Use react-highlight to show a code snippet for each approach.
jsx
1// App.js2
3import React from "react";4import Highlight from "react-highlight";5
6import "./App.css";7import "./highlight-js-night-owl.css";8
9import { Notification, Color, info, success, warning, error } from "./notify";10
11const message = "This is a notification!";12
13function DeclarativeDemo() {14  const [notifications, setNotifications] = React.useState([]);15
16  const createNotification = (color) =>17    setNotifications([...notifications, { color, id: notifications.length }]);18
19  const deleteNotification = (id) =>20    setNotifications(21      notifications.filter((notification) => notification.id !== id)22    );23
24  return (25    <>26      <Highlight>27        {`const [notifications, setNotifications] = React.useState([]);28
29const createNotification = (color) =>30  setNotifications([...notifications, { color, id: notifications.length }]);31
32const deleteNotification = (id) =>33  setNotifications(34    notifications.filter((notification) => notification.id !== id)35  );36
37return (38  <>39    <button onClick={() => createNotification(Color.info)}>Info</button>40    <button onClick={() => createNotification(Color.success)}>Success</button>41    <button onClick={() => createNotification(Color.warning)}>Warning</button>42    <button onClick={() => createNotification(Color.error)}>Error</button>43    {notifications.map(({ id, color }) => (44      <Notification45        key={id}46        onDelete={() => deleteNotification(id)}47        color={color}48        autoClose={true}49      >50        {message}51      </Notification>52    ))}53  </>54);`}55      </Highlight>56      <button onClick={() => createNotification(Color.info)}>Info</button>57      <button onClick={() => createNotification(Color.success)}>Success</button>58      <button onClick={() => createNotification(Color.warning)}>Warning</button>59      <button onClick={() => createNotification(Color.error)}>Error</button>60      {notifications.map(({ id, color }) => (61        <Notification62          key={id}63          onDelete={() => deleteNotification(id)}64          color={color}65          autoClose={true}66        >67          {message}68        </Notification>69      ))}70    </>71  );72}73
74function ImperativeDemo() {75  return (76    <>77      <Highlight>78        {`<>79  <button onClick={() => info(message, true)}>Info</button>80  <button onClick={() => success(message, true)}>Success</button>81  <button onClick={() => warning(message, true)}>Warning</button>82  <button onClick={() => error(message, true)}>Error</button>83</>`}84      </Highlight>85      <button onClick={() => info(message, true)}>Info</button>86      <button onClick={() => success(message, true)}>Success</button>87      <button onClick={() => warning(message, true)}>Warning</button>88      <button onClick={() => error(message, true)}>Error</button>89    </>90  );91}92
93function App() {94  const [demo, setDemo] = React.useState("declarative");95
96  return (97    <div className="App">98      <select onChange={(e) => setDemo(e.target.value)}>99        <option value="declarative">Declarative demo</option>100        <option value="imperative">Imperative demo</option>101      </select>102      {demo === "declarative" ? <DeclarativeDemo /> : <ImperativeDemo />}103    </div>104  );105}106
107export default App;