How to Send Browser Push Notifications in Node.js – A Step-by-Step Guide

Published at: 5 Feb 2025
Category: History
Author: Admin

How to Send Browser Push Notifications in Node.js – A Step-by-Step Guide

How to send browser push notifications from a Node.js app

14 min read

Push Notifications is a very important feature for modern applications, serving as a direct communication channel to users. They provide timely and efficient update when we add a new blog in website, and wants to send any crusial deals to users.

In this guide, we will go through how to setup browser push notifications for a Node.js Web application or standalone frontend. These are the steps you need to follow.

  • Setup a notification server in Express.
  • Creating a client-side script to send token and browser credentials to send notification for future notification.
  • Creating a service worker to handle the push notifications in the background of our browser.
  • Creating frontend for subscribeing.
  • Testing functionality.

Folder Structure

myapp/
├── public/
│    ├── index.html
│    ├── main.js
│    ├── sw.js
|
├── node_modules/
├── .env
├── package.json
└── server.js

Refer to this folder structure for a better understanding of how things work. I am also mentioning the code of the declared file so that you can easily implement all the steps with a clear understanding and send real-time push notifications effectively.

First Start With Backend.

-- server.js
const express = require("express");
const webpush = require("web-push");
const bodyParser = require("body-parser");
const PushNotifications = require("node-pushnotifications");

const app = express();


app.use(bodyParser.json());
app.use(function (req, res, next) {
    res.setHeader("Access-Control-Allow-Origin", "*");
    res.setHeader(
        "Access-Control-Allow-Methods",
        "GET, POST, OPTIONS, PUT, PATCH, DELETE",
    );
    res.setHeader("Access-Control-Allow-Headers", "*");
    res.setHeader("Access-Control-Allow-Credentials", true);
    next();
});

const publicVapidKey = "PVAPIDKEY";
const privateVapidKey = "PRVAPIDKEY";

app.post("/subscribe", (req, res) => {
    // Get the pushSubscription object
    const subscription = req.body;
    const settings = {
        web: {
            vapidDetails: {
                subject: "mailto:example@gmail.com",
                // REPLACE_WITH_YOUR_EMAIL
                publicKey: publicVapidKey,
                privateKey: privateVapidKey,
            },
            gcmAPIKey: "gcmkey", 
            // Replace with your GCM API key if necessary
            TTL: 2419200, 
            // Time-to-live for the notification
            contentEncoding: "aes128gcm",
            headers: {},
        },
        isAlwaysUseFCM: false,
    };

    // Send 201 - resource created
    const push = new PushNotifications(settings);

    // Create notification payload with title, body, and actions
    const payload = {
        title: "Hello Dear",
        body: "Follow codewithdeepak.in",
        icon: "/icon.png",
        badge: "/badge.png",
        data: {
            url: "https://example.com" // Add the correct URL
        },
        actions: [
            {
                action: "open_website",
                // Define the action
                title: "Visit Website",
                // Button text
                icon: "/open-icon.png" 
                // Icon for the button
            }
        ]
    };
    // Send the notification to the subscribed user
    push.send(subscription, payload, (err, result) => {
        if (err) {
            console.log("Error sending push notification:", err);
            res.status(500).json({ success: false, error: err });
        } else {
            console.log("Push notification sent successfully:", result);
            res.status(201).json({ success: true, result: result });
        }
    });
});

//Serve the frontend HTML and JS assets for our website
app.get("/", (req, res) => {
    res.sendFile(__dirname + "/public/index.html");
});
app.get("/main.js", (req, res) => {
    res.sendFile(__dirname + "/public/main.js");
});
app.get("/sw.js", (req, res) => {
    res.sendFile(__dirname + "/public/sw.js");
});

const port = 3001;

app.listen(port, () => {
    console.log(`Server started on port ${port}`)
});
If you have ever built a Node.js application, some of the code will be easy to understand, such as creating a server using Express and setting up routes. Here, we use the node-pushnotifications package to send browser notifications.
For variables like publicVapidKey and privateVapidKey, you need to assign values. To generate these keys, please refer to vapidkeys.com.

At the /subscribe route, we configure some settings with the keys and call the PushNotifications(settings) method. You can then configure your payload and define the actions you want to perform when the user opens the notification. You can configure these actions in the sw.js file.
Note: I suggest that you store your keys in a .env file, as it is crucial for security.

Frontend

-- public/index.html
<!DOCTYPE html>
<html lang="en">
  <head>
    <meta charset="UTF-8" />
    <meta name="viewport" content="width=device-width, initial-scale=1.0" />
    <meta http-equiv="X-UA-Compatible" content="ie=edge" />
    <title>Push Notifications using Node.js and Node Push Notifications</title>
  </head>
  <body>
    <header>
      <h1>Web Push Notifications Demo</h1>
    </header>
    <script src="main.js"></script>
  </body>
</html>

I assumed there was nothing to explain in the code above. You are all familiar with this code, right? if not it's a basic html code where we link script with name main.js

-- public/main.js
const publicVapidKey = "REPLACE_WITH_YOUR_KEY"; 
// Register SW, Register Push, Send Push
async function send() {
    // Register Service Worker
    console.log("Registering service worker...");
    const register = await navigator.serviceWorker.register("./sw.js", {
        scope: "/",
    });
    console.log("Service Worker Registered...");

    // Register Push
    console.log("Registering Push...");
    const subscription = await register.pushManager.subscribe({
        userVisibleOnly: true,
        applicationServerKey: urlBase64ToUint8Array(publicVapidKey),
    });

    console.log(subscription);

    console.log("Push Registered...");

    // Send Push Notification
    console.log("Sending Push...");
    await fetch("http://localhost:3001/subscribe", {
        method: "POST",
        body: JSON.stringify(subscription),
        headers: {
            "content-type": "application/json",
        },
    });
    console.log("Push Sent...");
}

send();

function urlBase64ToUint8Array(base64String) {
    const padding = "=".repeat((4 - (base64String.length % 4)) % 4);
    const base64 = (base64String + padding)
        .replace(/\-/g, "+")
        .replace(/_/g, "/");

    const rawData = window.atob(base64);
    const outputArray = new Uint8Array(rawData.length);

    for (let i = 0; i < rawData.length; ++i) {
        outputArray[i] = rawData.charCodeAt(i);
    }
    return outputArray;
}

Explaination

  • What is a Service Worker? A Service Worker is a JavaScript script that runs in the background of a web browser, separate from the main webpage. It is mainly used for:
    1. Push Notifications
    2. Background Sync
    3. Offline Caching (for Progressive Web Apps - PWAs)
    Since it runs independently, it does not have direct access to the DOM but can intercept network requests, cache resources, and handle push notifications.
  • Step 1: Registering the Service Worker
    const register = await navigator.serviceWorker.register("./sw.js", {
        scope: "/",
    });
    
    This registers a Service Worker from sw.js.
    • The scope: "/" means that the service worker will control all pages under the root (/).
    • Once registered, the service worker will run in the background, even when the webpage is closed.
  • Step 2: Register for Push Notifications
    const subscription = await register.pushManager.subscribe({
        userVisibleOnly: true,
        applicationServerKey: urlBase64ToUint8Array(publicVapidKey),
    });
    • pushManager.subscribe() registers the user for Push Notifications.
    • userVisibleOnly: true ensures every push notification will be visible.
    • applicationServerKey is a public VAPID key that allows the browser to verify the notification request.
    • VAPID (Voluntary Application Server Identification) is a way for browsers to authenticate push notification requests securely.
  • Step 3: Sending the subscription data to the backend
    await fetch("http://localhost:3001/subscribe", {
        method: "POST",
        body: JSON.stringify(subscription),
        headers: {
            "content-type": "application/json",
        },
    });
  • Step 4: Converting Base64 Key to Uint8Array

    Just copy and paste this function don't worry about this. This function converts the public VAPID key from Base64 format into a Uint8Array, which is required for push notifications.

    function urlBase64ToUint8Array(base64String) {
        const padding = "=".repeat((4 - (base64String.length % 4)) % 4);
        const base64 = (base64String + padding)
            .replace(/\-/g, "+")
            .replace(/_/g, "/");
    
        const rawData = window.atob(base64);
        const outputArray = new Uint8Array(rawData.length);
    
        for (let i = 0; i < rawData.length; ++i) {
            outputArray[i] = rawData.charCodeAt(i);
        }
        return outputArray;
    }
    

Service Worker Actions

This code is part of a Service Worker (sw.js) that listens for push notifications and handles user interactions when they click on a notification.

-- /public/sw.js
self.addEventListener("push", (event) => {
    const data = event.data.json();
    // Get the push notification data
    console.log("Push Received:", data);
  
    const notificationBody = 
    data.body || "Welcome to our website!";
  
    // Show the notification with actions
    self.registration.showNotification(data.title, {
      body: notificationBody,
      icon: data.icon || "/default-icon.png",
      badge: data.badge || "/default-badge.png",
      data: data, 
      // Attach custom data (URL) to the notification
      actions: data.actions || [] 
      // Add actions if they exist in the payload
    });
  });
  // Handle notification click
  self.addEventListener("notificationclick", (event) => {
    console.log("Notification clicked:", event);
    // Close the notification
    event.notification.close();
    // Get the URL from the notification data
    const urlToOpen = "https://codewithdeepak.in"; 
    // Default URL if not specified
    // Open the URL in a new tab
    clients.openWindow(urlToOpen);
  });
  
Final Summary
  • 1️⃣ When a push notification is received, the Service Worker displays a notification with title, message, icon, and actions.
  • 2️⃣ When the user clicks on the notification, the Service Worker closes it and opens a specified URL (https://codewithdeepak.in).
  • 🚀 This is useful for real-time notifications like flight updates, booking confirmations, and alerts!

Note: If you found any problem during implementation you can refer this browser-notification.

About

At Snaap.io, we aim to empower you with simple, yet powerful tools that enhance your digital workflows. Whether you're sharing links, tracking performance, or creating custom QR codes, we are here to make your online presence seamless..

Our Recent posts