NOTE: Apart from
(and even then it's questionable, I'm Scottish). These are machine translated in languages I don't read. If they're terrible please contact me.
You can see how this translation was done in this article.
Monday, 21 April 2025
//Less than a minute
On a work project I've been using and abusing HTMX to build an admin UI. As part of this I'm using the lovely SweetAlert2 Javascript library for my confirmation dialogs. It works great but I also wanted to use them to replace my HTMX loading indicators.
This proved to be a CHALLENGE so I thought I'd document it here to save you the same pain.
Warning I'm a C# coder my Javascript is likely horrible.
So HTMX is very clever, it's hx-indicator
normally allows you to set a loading indicator for your HTMX requests. Ordinarily this is an HTML element in your page like
<div id="loading-modal" class="modal htmx-indicator">
<div class="modal-box flex flex-col items-center justify-center bg-base-200 border border-base-300 shadow-xl rounded-xl text-base-content dark text-center ">
<div class="flex flex-col items-center space-y-4">
<h2 class="text-lg font-semibold tracking-wide">Loading...</h2>
<span class="loading loading-dots loading-xl text-4xl text-stone-200"></span>
</div>
</div>
</div>
Then when you want to use it you'd decorate your HTMX request with hx-indicator="#loading-modal"
and it will show the modal when the request is in progress (see here for details).
Now HTMX does some clever magic using a request
object it tracks internally
function addRequestIndicatorClasses(elt) {
let indicators = /** @type Element[] */ (findAttributeTargets(elt, 'hx-indicator'))
if (indicators == null) {
indicators = [elt]
}
forEach(indicators, function(ic) {
const internalData = getInternalData(ic)
internalData.requestCount = (internalData.requestCount || 0) + 1
ic.classList.add.call(ic.classList, htmx.config.requestClass)
})
return indicators
}
Wel lreplacing these therefore is a bit of a challenge. How do you track the requests and then show the SweetAlert2 modal when the request is in progress and hide it when it's finished.
So I set about (not because I had to, because I NEEDED to :)) to replace the HTMX loading indicator with a SweetAlert2 modal. Anyway here's the code I came up with.
You'd start by either importing SweetAlert2 in your HTML (as script & style tags) / import it for webpack or similar (see their docs for this).
After npm installing it you can import it like this in your JS file.
import Swal from 'sweetalert2';
Then my main code looks like this:
import Swal from 'sweetalert2';
export function registerSweetAlertHxIndicator() {
document.body.addEventListener('htmx:configRequest', function (evt) {
const trigger = evt.detail.elt;
const indicatorAttrSource = getIndicatorSource(trigger);
if (!indicatorAttrSource) return;
const path = getRequestPath(evt.detail);
if (!path) return;
evt.detail.indicator = null; // Disable HTMX's default class logic
sessionStorage.setItem(SWEETALERT_PATH_KEY, path);
Swal.fire({
title: 'Loading...',
allowOutsideClick: false,
allowEscapeKey: false,
showConfirmButton: false,
theme: 'dark',
didOpen: () => Swal.showLoading()
});
});
function maybeClose(evt) {
const activePath = sessionStorage.getItem(SWEETALERT_PATH_KEY);
const path = getRequestPath(evt.detail);
if (activePath && path && activePath === path) {
Swal.close();
sessionStorage.removeItem(SWEETALERT_PATH_KEY);
}
}
document.body.addEventListener('htmx:afterRequest', maybeClose);
document.body.addEventListener('htmx:responseError', maybeClose);
}
const SWEETALERT_PATH_KEY = 'swal-active-path';
function getIndicatorSource(el) {
return el.closest('[hx-indicator], [data-hx-indicator]');
}
function getRequestPath(detail) {
const basePath = detail?.pathInfo?.path ?? detail?.path ?? '';
const responsePath = detail?.pathInfo?.responsePath ?? basePath;
const elt = detail.elt;
const isGet = (detail.verb ?? '').toUpperCase() === 'GET';
const form = elt.closest('form');
// ✅ If it's a GET form, append query params
if (isGet && form) {
const params = new URLSearchParams();
for (const el of form.elements) {
if (!el.name || el.disabled) continue;
const type = el.type;
if ((type === 'checkbox' || type === 'radio') && !el.checked) continue;
if (type === 'submit') continue;
params.append(el.name, el.value);
}
const queryString = params.toString();
return queryString ? `${responsePath}?${queryString}` : responsePath;
}
// ✅ For all others, just return the response path
return responsePath;
}
document.body.addEventListener('htmx:afterRequest', maybeClose);
document.body.addEventListener('htmx:responseError', maybeClose);
You configure this (if you're using ESM) in your main.js
file like this
import { registerSweetAlertHxIndicator } from './hx-sweetalert-indicator.js';
registerSweetAlertHxIndicator();
You'll see I use the getIndicatorSource
function to find the element which triggered the HTMX request. This is important as we need to know which element triggered the request so we can close the modal when it's finished. This is important as HTMX has 'inheritance' so you need to climb ther the tree to find the element which triggered the request.
function getIndicatorSource(el) {
return el.closest('[hx-indicator], [data-hx-indicator]');
}
Then on any HTMX request (so hx-get
or hx-post
) you can use the hx-indicator
attribute to specify the SweetAlert2 modal. You don't even need to specify the class like before, just the parameter existing works.
Let's go through how all this works:
registerSweetAlertHxIndicator()
This acts as out entry point. You can see it hooks into the htmx:configRequest
event. This is fired when HTMX is about to make a request.
It then gets the element which triggered the event in evt.detail.elt
and checks if it has an hx-indicator
attribute.
Finally, it shows the SweetAlert2 modal using Swal.fire()
.
rt function registerSweetAlertHxIndicator() {
document.body.addEventListener('htmx:configRequest', function (evt) {
const trigger = evt.detail.elt;
const indicatorAttrSource = getIndicatorSource(trigger);
if (!indicatorAttrSource) return;
If it does, it gets the request path using getRequestPath(evt.detail)
and stores it in session storage.
Niw HTMX is a tricky bugger, it stores the path in different places depending on where you are in the lifecycle. So in my code I do ALL OF THE ABOVE. with detail?.pathInfo?.path ?? detail?.path ?? '';
It turns out that HTMX stored the request path in detail.path
and the response path (for document.body.addEventListener('htmx:afterRequest', maybeClose); document.body.addEventListener('htmx:responseError', maybeClose);
) in detail.PathInfo.responsePath
so we need too handle both.
We also need to handle GET
forms; as their response will likely include the URL elements passed in as <input >
values so the response url can wind up being different.
function getRequestPath(detail) {
const basePath = detail?.pathInfo?.path ?? detail?.path ?? '';
const responsePath = detail?.pathInfo?.responsePath ?? basePath;
const elt = detail.elt;
const isGet = (detail.verb ?? '').toUpperCase() === 'GET';
const form = elt.closest('form');
// ✅ If it's a GET form, append query params
if (isGet && form) {
const params = new URLSearchParams();
for (const el of form.elements) {
if (!el.name || el.disabled) continue;
const type = el.type;
if ((type === 'checkbox' || type === 'radio') && !el.checked) continue;
if (type === 'submit') continue;
params.append(el.name, el.value);
}
const queryString = params.toString();
return queryString ? `${responsePath}?${queryString}` : responsePath;
}
// ✅ For all others, just return the response path
return responsePath;
}
NOTE: This is especially the case if you use the HX-Push-Url
header to change the URL of the request which HTMX stores for History.
I use this little Response
extension method to set the HX-Push-Url
header in my ASP.NET Core app.
public static class ResponseExtensions
{
public static void PushUrl(this HttpResponse response, HttpRequest request)
{
response.Headers["HX-Push-Url"] = request.GetEncodedUrl();
}
}
Ok so now we have the path, what do we do with it? Well to keep track of which request triggered the SweetAlert2 modal we store it in sessionStorage
using sessionStorage.setItem(SWEETALERT_PATH_KEY, path);
.
(Again you can make this more complex and ensure you only have one if you need.)
We then simply show the SweetAlert2 modal using Swal.fire()
.
Swal.fire({
title: 'Loading...',
allowOutsideClick: false,
allowEscapeKey: false,
showConfirmButton: false,
theme: 'dark',
didOpen: () => Swal.showLoading()
});
So now we have the modal open, we need to close it when the request is finished. To do this we call the maybeClose
function. This is called when the request is finished (either successfully or with an error).
Using htmx:afterRequest
and htmx:responseError
events. These events fire once HTMX has finished a request (note, these are important, especialy for HX-Boost
which can be a bit funny about what events it fires.)
document.body.addEventListener('htmx:afterRequest', maybeClose);
document.body.addEventListener('htmx:responseError', maybeClose);
function maybeClose(evt) {
const activePath = sessionStorage.getItem(SWEETALERT_PATH_KEY);
const path = getRequestPath(evt.detail);
if (activePath && path && activePath === path) {
Swal.close();
sessionStorage.removeItem(SWEETALERT_PATH_KEY);
}
}
You'll see this function checks if the path in session storage is the same as the path of the request. If it is, it closes the modal and removes the path from session storage.
This is a naieve implementation but it works mostly; in future I might add a few things:
So that's how you can use SweetAlert2 as an HTMX loading indicator. It's a bit of a hack but it works and it's a nice way to use the same library for both loading indicators and confirmation dialogs.9