Spaces:
Paused
Paused
File size: 9,300 Bytes
dff1e71 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 | // Import the component loader and page utilities
import { importComponent } from "/js/components.js";
// Modal functionality
const modalStack = [];
// Create a single backdrop for all modals
const backdrop = document.createElement("div");
backdrop.className = "modal-backdrop";
backdrop.style.display = "none";
backdrop.style.backdropFilter = "blur(5px)";
document.body.appendChild(backdrop);
// Function to update z-index for all modals and backdrop
function updateModalZIndexes() {
// Base z-index for modals
const baseZIndex = 3000;
// Update z-index for all modals
modalStack.forEach((modal, index) => {
// For first modal, z-index is baseZIndex
// For second modal, z-index is baseZIndex + 20
// This leaves room for the backdrop between them
modal.element.style.zIndex = baseZIndex + index * 20;
});
// Always show backdrop
backdrop.style.display = "block";
if (modalStack.length > 1) {
// For multiple modals, position backdrop between the top two
const topModalIndex = modalStack.length - 1;
const previousModalZIndex = baseZIndex + (topModalIndex - 1) * 20;
backdrop.style.zIndex = previousModalZIndex + 10;
} else if (modalStack.length === 1) {
// For single modal, position backdrop below it
backdrop.style.zIndex = baseZIndex - 1;
} else {
// No modals, hide backdrop
backdrop.style.display = "none";
}
}
// Function to create a new modal element
function createModalElement(path) {
// Create modal element
const newModal = document.createElement("div");
newModal.className = "modal";
newModal.path = path; // save name to the object
// Add click handlers to only close modal if both mousedown and mouseup are on the modal container
let mouseDownTarget = null;
newModal.addEventListener("mousedown", (event) => {
mouseDownTarget = event.target;
});
newModal.addEventListener("mouseup", (event) => {
if (event.target === newModal && mouseDownTarget === newModal) {
closeModal();
}
mouseDownTarget = null;
});
// Create modal structure
newModal.innerHTML = `
<div class="modal-inner">
<div class="modal-header">
<h2 class="modal-title"></h2>
<button class="modal-close">×</button>
</div>
<div class="modal-scroll">
<div class="modal-bd"></div>
</div>
<div class="modal-footer-slot" style="display: none;"></div>
</div>
`;
// Setup close button handler for this specific modal
const close_button = newModal.querySelector(".modal-close");
close_button.addEventListener("click", () => closeModal());
// Add modal to DOM
document.body.appendChild(newModal);
// Show the modal
newModal.classList.add("show");
// Update modal z-indexes
updateModalZIndexes();
return {
path: path,
element: newModal,
title: newModal.querySelector(".modal-title"),
body: newModal.querySelector(".modal-bd"),
close: close_button,
footerSlot: newModal.querySelector(".modal-footer-slot"),
inner: newModal.querySelector(".modal-inner"),
styles: [],
scripts: [],
};
}
// Function to open modal with content from URL
export function openModal(modalPath) {
return new Promise((resolve) => {
try {
// Create new modal instance
const modal = createModalElement(modalPath);
new MutationObserver(
(_, o) =>
!document.contains(modal.element) && (o.disconnect(), resolve())
).observe(document.body, { childList: true, subtree: true });
// Set a loading state
modal.body.innerHTML = '<div class="loading">Loading...</div>';
// Already added to stack above
// Use importComponent to load the modal content
// This handles all HTML, styles, scripts and nested components
// Updated path to use the new folder structure with modal.html
const componentPath = modalPath; // `modals/${modalPath}/modal.html`;
// Use importComponent which now returns the parsed document
importComponent(componentPath, modal.body)
.then((doc) => {
// Set the title from the document
modal.title.innerHTML = doc.title || modalPath;
if (doc.html && doc.html.classList) {
const inner = modal.element.querySelector(".modal-inner");
if (inner) inner.classList.add(...doc.html.classList);
}
if (doc.body && doc.body.classList) {
modal.body.classList.add(...doc.body.classList);
}
// Some modals have a footer. Check if it exists and move it to footer slot
// Use requestAnimationFrame to let Alpine mount the component first
requestAnimationFrame(() => {
const componentFooter = modal.body.querySelector('[data-modal-footer]');
if (componentFooter && modal.footerSlot) {
// Move footer outside modal-scroll scrollable area
modal.footerSlot.appendChild(componentFooter);
modal.footerSlot.style.display = 'block';
modal.inner.classList.add('modal-with-footer');
}
});
})
.catch((error) => {
console.error("Error loading modal content:", error);
modal.body.innerHTML = `<div class="error">Failed to load modal content: ${error.message}</div>`;
});
// Add modal to stack and show it
// Add modal to stack
modal.path = modalPath;
modalStack.push(modal);
modal.element.classList.add("show");
document.body.style.overflow = "hidden";
// Update modal z-indexes
updateModalZIndexes();
} catch (error) {
console.error("Error loading modal content:", error);
resolve();
}
});
}
// Function to close modal
export function closeModal(modalPath = null) {
if (modalStack.length === 0) return;
let modalIndex = modalStack.length - 1; // Default to last modal
let modal;
if (modalPath) {
// Find the modal with the specified name in the stack
modalIndex = modalStack.findIndex((modal) => modal.path === modalPath);
if (modalIndex === -1) return; // Modal not found in stack
// Get the modal from stack at the found index
modal = modalStack[modalIndex];
// Remove the modal from stack
modalStack.splice(modalIndex, 1);
} else {
// Just remove the last modal
modal = modalStack.pop();
}
// Remove modal-specific styles and scripts immediately
modal.styles.forEach((styleId) => {
document.querySelector(`[data-modal-style="${styleId}"]`)?.remove();
});
modal.scripts.forEach((scriptId) => {
document.querySelector(`[data-modal-script="${scriptId}"]`)?.remove();
});
// First remove the show class to trigger the transition
modal.element.classList.remove("show");
// commented out to prevent race conditions
// // Remove the modal element from DOM after animation
// modal.element.addEventListener(
// "transitionend",
// () => {
// // Make sure the modal is completely removed from the DOM
// if (modal.element.parentNode) {
// modal.element.parentNode.removeChild(modal.element);
// }
// },
// { once: true }
// );
// // Fallback in case the transition event doesn't fire
// setTimeout(() => {
// if (modal.element.parentNode) {
// modal.element.parentNode.removeChild(modal.element);
// }
// }, 500); // 500ms should be enough for the transition to complete
// remove immediately
if (modal.element.parentNode) {
modal.element.parentNode.removeChild(modal.element);
}
// Handle backdrop visibility and body overflow
if (modalStack.length === 0) {
// Hide backdrop when no modals are left
backdrop.style.display = "none";
document.body.style.overflow = "";
} else {
// Update modal z-indexes
updateModalZIndexes();
}
}
// Function to scroll to element by ID within the last modal
export function scrollModal(id) {
if (!id) return;
// Get the last modal in the stack
const lastModal = modalStack[modalStack.length - 1].element;
if (!lastModal) return;
// Find the modal container and target element
const modalContainer = lastModal.querySelector(".modal-scroll");
const targetElement = lastModal.querySelector(`#${id}`);
if (modalContainer && targetElement) {
modalContainer.scrollTo({
top: targetElement.offsetTop - 20, // 20px padding from top
behavior: "smooth",
});
}
}
// Make scrollModal globally available
globalThis.scrollModal = scrollModal;
// Handle modal content loading from clicks
document.addEventListener("click", async (e) => {
const modalTrigger = e.target.closest("[data-modal-content]");
if (modalTrigger) {
e.preventDefault();
if (
modalTrigger.hasAttribute("disabled") ||
modalTrigger.classList.contains("disabled")
) {
return;
}
const modalPath = modalTrigger.getAttribute("href");
await openModal(modalPath);
}
});
// Close modal on escape key (closes only the top modal)
document.addEventListener("keydown", (e) => {
if (e.key === "Escape" && modalStack.length > 0) {
closeModal();
}
});
// also export as global function
globalThis.openModal = openModal;
globalThis.closeModal = closeModal;
globalThis.scrollModal = scrollModal;
|