JavaScript/CSS/HTML || Modal.js – Simple Modal Popup Panel Using Vanilla JavaScript
The following is a module which allows for a simple modal popup panel in vanilla JavaScript. Options include allowing the modal to be dragged, resized, and closed on outer area click.
Modal drag and resize supports touch (mobile) input.
Contents
1. Basic Usage
2. Modal HTML
3. Initialize Modal Options
4. Modal Dialog
5. Modal.js & CSS Source
6. More Examples
1. Basic Usage
Syntax is very straightforward. The following demonstrates showing and hiding a modal popup.
1 2 3 4 5 6 7 8 9 10 11 12 13 |
// Opening & Closing Modal. <script> (() => { // Shows the modal popup. It accepts either a string selector // or a Javascript element Modal.show('selector'); // Hides the modal popup. It accepts either a string selector // or a Javascript element Modal.hide(document.querySelector('selector')); })(); </script> |
‘Modal.show‘ and ‘Modal.hide‘ accepts either a string selector or a Javascript element.
2. Modal HTML
The following is the HTML used to display the modal. The attributes supplied to the ‘modal’ element specifies whether it is allowed to be dragged, resized, or closed on outer area click.
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 |
<!-- // Available options --> <!-- The Modal Background--> <section id="modalExample" class="modal" data-closeOnOuterClick="true" data-draggable="true" data-resizable="true" > <!-- Modal Panel --> <article class="modal-panel"> <header class="modal-header"> <div class="modal-header-text"> Modal Header </div> <div class="modal-close-button"></div> </header> <div class="modal-body"> <p>Some text in the Modal Body</p> <p>Some other text...</p> </div> <footer class="modal-footer"> <div class="modal-footer-text"> Modal Footer </div> </footer> </article> </section> |
3. Initialize Modal Options
In order for the options on the modal to take effect, it needs to be initialized.
The following example demonstrates initializing the modal popup options.
1 2 3 4 5 6 7 8 |
// Initialize options. <script> document.addEventListener("DOMContentLoaded", function(eventLoaded) { // Sets up the modal option button clicks Modal.init(); }); </script> |
Note: ‘Modal.init‘ only needs to be called once. It will initialize all modals on the page.
4. Modal Dialog
The following demonstrates adding a simple dialog to the page.
For more options, click here!
1 2 3 4 5 6 7 8 9 10 11 |
// Add simple dialog. <script> (() => { // Adds a simple dialog to the page Modal.showDialog({ title: 'Save Content?', body: 'Content will be saved. Continue?', }); })(); </script> |
5. Modal.js & CSS Source
The following is the Modal.js Namespace & CSS Source. Include this in your project to start using!
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 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 |
// ============================================================================ // Author: Kenneth Perkins // Date: Sept 4, 2020 // Taken From: http://programmingnotes.org/ // File: Modal.js // Description: Javascript that handles modal popup related functions // Example: // // Show Modal // Modal.show('selector') // // // Hide Modal // Modal.hide('selector') // ============================================================================ /** * NAMESPACE: Modal * USE: Handles Modal related functions */ var Modal = Modal || {}; (function(namespace) { 'use strict'; // -- Public data -- // Property to hold public variables and functions let exposed = namespace; // Set class names and other shared data const settings = { handleTypeResize: 'resize', handleTypeDrag: 'drag', // Element class names classNameModal: '.modal', classNameModalPanel: '.modal-panel', classNameCloseButton: '.modal-close-button', classNameModalHeader: '.modal-header', classNameModalHeaderText: '.modal-header-text', classNameModalBody: '.modal-body', classNameModalFooter: '.modal-footer', classNameModalFooterText: '.modal-footer-text', classNameDraggable: '.modal-draggable', classNameDraggableIcon: '.icon', classNameShow: '.show', classNameResizable: '.modal-resizable', classNameResizableIcon: '.icon', classNameDialog: '.dialog', classNameButton: '.modal-button', classNameButtonCancel: '.cancel', classNameButtonOK: '.ok', classNameButtonContainer: '.buttonContainer', classNameResizeMargin: '.resizeMargin', // Element data names dataNameCloseOnOuterClick: 'data-closeOnOuterClick', dataNameDraggable: 'data-draggable', dataNameIsDraggable: 'data-isDraggable', dataNameResizable: 'data-resizable', dataNameIsResizable: 'data-isResizable', cleanClassName: (str) => { return str ? str.trim().replace('.', '') : ''; }, }; exposed.settings = settings; /** * FUNCTION: init * USE: Initializes the modal button clicks. * @param element: JavaScript element to search for modals. * @return: N/A. */ exposed.init = (element = document) => { addClickEvents(element); } /** * FUNCTION: show * USE: Shows the modal popup. * @param element: JavaScript element/String selector of the modal to show. * @return: N/A. */ exposed.show = (element) => { element = verifyElement(element); addClass(element, settings.classNameShow); } /** * FUNCTION: hide * USE: Hides the modal popup. * @param element: JavaScript element/String selector of the modal to hide. * @return: N/A. */ exposed.hide = (element) => { element = verifyElement(element); resetPosition(element); removeClass(element, settings.classNameShow); } /** * FUNCTION: getPanel * USE: Returns the modal panel element. * @param element: JavaScript element/String selector of the modal. * @return: The modal panel element. */ exposed.getPanel = (element) => { element = verifyElement(element); return element.querySelector(settings.classNameModalPanel); } /** * FUNCTION: getHeader * USE: Returns the modal header element. * @param element: JavaScript element/String selector of the modal. * @return: The modal header element. */ exposed.getHeader = (element) => { element = verifyElement(element); return element.querySelector(settings.classNameModalHeader); } /** * FUNCTION: getHeaderText * USE: Returns the modal header text element. * @param element: JavaScript element/String selector of the modal. * @return: The modal header text element. */ exposed.getHeaderText = (element) => { element = verifyElement(element); return element.querySelector(settings.classNameModalHeaderText); } /** * FUNCTION: getBody * USE: Returns the modal body element. * @param element: JavaScript element/String selector of the modal. * @return: The modal body element. */ exposed.getBody = (element) => { element = verifyElement(element); return element.querySelector(settings.classNameModalBody); } /** * FUNCTION: getFooter * USE: Returns the modal footer element. * @param element: JavaScript element/String selector of the modal. * @return: The modal footer element. */ exposed.getFooter = (element) => { element = verifyElement(element); return element.querySelector(settings.classNameModalFooter); } /** * FUNCTION: getFooterText * USE: Returns the modal footer text element. * @param element: JavaScript element/String selector of the modal. * @return: The modal footer text element. */ exposed.getFooterText = (element) => { element = verifyElement(element); return element.querySelector(settings.classNameModalFooterText); } /** * FUNCTION: showDialog * USE: Shows a modal dialog box with an OK/Cancel button. * @param options: An object of initialization options. * Its made up of the following properties: * { * title: The title of the dialog * body: The content body of the dialog * onShow(): Optional. Function that allows to do something before show. * Return false to stop showing process * onHide(): Optional. Function that allows to do something before hide. * Return false to stop hidding process * onDestroy(): Optional. Function that allows to do something before * destroy. Return false to stop destroying process * closeOnOuterClick: Optional. Determines if the dialog should close * on outer dialog click. Default is False * draggable: Optional. Determines if the dialog is draggable. * Default is False * resizable: Optional. Determines if the dialog is resizable. * Default is False * autoOpen: Optional. Determines if the dialog should auto open. * Default is True * draggable: Optional. Determines if the dialog is draggable. * Default is False * destroyOnHide: Optional. Determines if the dialog should be removed * from DOM after hiding. Default is True * buttons: Optional. Object allows to add custom buttons to the dialog * } * @return: The modal dialog object. */ exposed.showDialog = (options) => { options = verifyOptions(options); let dialog = createDialog(options); if (toBoolean(options.autoOpen)) { dialog.show(); } return dialog; } // -- Private data -- let verifyOptions = (options) => { if (typeof options !== 'object') { let body = options; options = {}; options.body = body; } return options; } let createDialog = (options) => { let defaultButtons = { cancel: { text: 'Cancel', cssClass: settings.classNameButtonCancel, visible: true, }, ok: { text: 'OK', cssClass: settings.classNameButtonOK, visible: true, }, }; copyDefaults(options, defaultButtons); let modalButtons = options.buttons; let container = document.body; let modal = createElement('section', [settings.classNameModal, settings.classNameDialog]); let modalPanel = createElement('article', [settings.classNameModalPanel, settings.classNameDialog]); let modalHeader = createElement('header', [settings.classNameModalHeader, settings.classNameDialog]); let modalHeaderText = createElement('div', [settings.classNameModalHeaderText, settings.classNameDialog]); let modalBody = createElement('div', [settings.classNameModalBody, settings.classNameDialog]); let modalFooter = createElement('footer', [settings.classNameModalFooter, settings.classNameDialog]); let buttonContainer = createElement('div', [settings.classNameButtonContainer]); modal.appendChild(modalPanel); modalPanel.appendChild(modalHeader); modalHeader.appendChild(modalHeaderText); modalPanel.appendChild(modalBody); modalPanel.appendChild(modalFooter); modalFooter.appendChild(buttonContainer); let showHeaderCloseButton = true; let keys = Object.keys(modalButtons); keys.forEach((prop, index) => { prop = prop.toLowerCase(); let buttonOptions = modalButtons[prop]; if (!isNull(buttonOptions.visible) && !toBoolean(buttonOptions.visible)) { return false; } let text = buttonOptions.text || ''; let cssClass = buttonOptions.cssClass || ''; let button = createElement('button', [settings.classNameButton, settings.classNameDialog, cssClass]); button.innerHTML = !isNull(text) && isEmpty(text) ? ' ' : text; buttonContainer.appendChild(button) registerEvents(button, ['click'], (eventClick) => { if (buttonOptions.onClick) { let value = buttonOptions.onClick.call(button, eventClick); if (!isNull(value) && !value) { return; } } hide(options.destroyOnHide); }); if ((index + 1) === keys.length) { if (toBoolean(options.resizable)) { addClass(button, settings.classNameResizeMargin); } } showHeaderCloseButton = false; }); if (showHeaderCloseButton) { let modalHeaderClose = createElement('div', [settings.classNameCloseButton, settings.classNameDialog]); modalHeader.appendChild(modalHeaderClose); registerEvents(modalHeaderClose, ['click'], (eventClick) => { hide(options.destroyOnHide); }); } modalHeaderText.innerHTML = options.title || ''; modalBody.innerHTML = options.body || ''; modal.id = `modal_${randomFromTo(1271991, 7281987)}`; if (toBoolean(options.closeOnOuterClick)) { modal.setAttribute(settings.dataNameCloseOnOuterClick, options.closeOnOuterClick); } if (toBoolean(options.draggable)) { modal.setAttribute(settings.dataNameDraggable, options.draggable); } if (toBoolean(options.resizable)) { modal.setAttribute(settings.dataNameResizable, options.resizable); } container.appendChild(modal); options.autoOpen = !isNull(options.autoOpen) ? options.autoOpen : true; if (!options.autoOpen) { if (isNull(options.destroyOnHide)) { options.destroyOnHide = false; } } options.destroyOnHide = !isNull(options.destroyOnHide) ? options.destroyOnHide : true; let show = () => { if (options.onShow) { let value = options.onShow.call(this); if (!isNull(value) && !value) { return; } } setTimeout(()=> { exposed.show(modal); }, 10); } let hide = (destroyModal = false) => { if (options.onHide) { let value = options.onHide.call(this); if (!isNull(value) && !value) { return; } } exposed.hide(modal); if (destroyModal) { setTimeout(()=> { destroy(); }, 500); } } let destroy = () => { if (options.onDestroy) { let value = options.onDestroy.call(this); if (!isNull(value) && !value) { return; } } if (!isDestroyed()) { container.removeChild(modal); } } let isDestroyed = () => { return !container.contains(modal); } let isShowing = () => { return hasClass(modal, settings.classNameShow); } addModalClickEvents(modal); if (getCoords(modalFooter).position === 'absolute') { modalFooter.style.position = 'relative'; let coords = getCoords(modalFooter); modalPanel.style['min-width'] = coords.width + 'px'; modalBody.style['padding-bottom'] = coords.height + 'px'; modalFooter.style.position = null; } return { modal: modal, show: () => { show(); }, hide: () => { hide(options.destroyOnHide); }, destroy: () => { hide(true); }, isDestroyed: () => { return isDestroyed(); }, isShowing: () => { return isShowing(); } }; } let copyDefaults = (options, defaultButtons) => { if (isNull(options.buttons)) { options.buttons = defaultButtons return; } for (let prop in options.buttons) { prop = prop.toLowerCase(); if (!defaultButtons.hasOwnProperty(prop)) { continue; } options.buttons[prop] = Object.assign(defaultButtons[prop], options.buttons[prop]) } } let createElement = (type, classes) => { let element = document.createElement(type); if (!isNull(classes)) { classes.forEach(item => { addClass(element, item); }); } return element; } let addClickEvents = (element) => { // Add misc click events for the modals let modals = element.querySelectorAll(settings.classNameModal); modals.forEach((modal, index) => { addModalClickEvents(modal, index); }); } let addModalClickEvents = (modal, index = 0) => { let registerCloseOnOuterClick = false; // Add button clicks for the close button let closeButton = modal.querySelector(settings.classNameCloseButton); if (!isNull(closeButton)) { registerEvents(closeButton, ['click'], closeButtonEvent); } // Add functionalty to make the modal draggable if (shouldDrag(modal) && !isDraggable(modal)) { // Get elements and make sure they exist let panel = exposed.getPanel(modal); if (isNull(panel)) { throw new TypeError(`Unable to make Modal #${index + 1} draggable. Reason: Modal has no 'Modal Panel' associated with it.`); } // If a header exists, attach a drag handle to it let handle = getHandle(modal, settings.handleTypeDrag); if (isNull(handle)) { let header = exposed.getHeader(modal); if (!isNull(header)) { handle = createHandle(header, settings.handleTypeDrag); } else { addClass(panel, settings.classNameDraggable); } } makeDraggable({ element: panel, handle: handle, keepInViewPort: true, }); // Mark that this modal is draggable setIsDraggable(modal, true) } // Add functionalty to make the modal resizable if (shouldResize(modal) && !isResizable(modal)) { // Get elements and make sure they exist let panel = exposed.getPanel(modal); if (isNull(panel)) { throw new TypeError(`Unable to make Modal #${index + 1} resizable. Reason: Modal has no 'Modal Panel' associated with it.`); } // If a footer exists, attach a resize handle to it let handle = getHandle(modal, settings.handleTypeResize); if (isNull(handle)) { let footer = exposed.getFooter(modal); if (!isNull(footer)) { handle = createHandle(footer, settings.handleTypeResize); } else { addClass(panel, settings.classNameResizable); } } makeResizable({ element: panel, handle: handle, keepInViewPort: true, }); // Mark that this modal is resizable setIsResizable(modal, true); } // Check to see if we need to register the close on click event if (!registerCloseOnOuterClick) { registerCloseOnOuterClick = shouldCloseOnOuterClick(modal); } // Determine if the modal should close if the outer area is clicked if (registerCloseOnOuterClick) { registerEvents(document, ['click'], backgroundHideEvent); } } let registerEvents = (element, eventNames, func) => { eventNames.forEach((eventName, index) => { element.removeEventListener(eventName, func); element.addEventListener(eventName, func); }); } let closeButtonEvent = (event) => { let closeButton = event.target || event.currentTarget; if (isNull(closeButton)) { return; } let modal = closeButton.closest(settings.classNameModal); exposed.hide(modal); } let backgroundHideEvent = (event) => { let target = event.target; if (isNull(target) || !isElement(target) || !hasClass(target, settings.classNameModal) || !hasClass(target, settings.classNameShow) || !shouldCloseOnOuterClick(target)) { return; } exposed.hide(target); } let createHandle = (container, type) => { let handle = document.createElement('div'); switch (type) { case settings.handleTypeResize: addClass(handle, settings.classNameResizable); addClass(handle, settings.classNameResizableIcon); break; case settings.handleTypeDrag: addClass(handle, settings.classNameDraggable); addClass(handle, settings.classNameDraggableIcon); break; default: throw new TypeError(`Unknown handle type: ${type}`); break; } handle.setAttribute('tabindex', 0); container.appendChild(handle); return handle; } let getHandle = (element, type) => { let selector = null; switch (type) { case settings.handleTypeResize: selector = `${settings.classNameResizable}${settings.classNameResizableIcon}`; break; case settings.handleTypeDrag: selector = `${settings.classNameDraggable}${settings.classNameDraggableIcon}`; break; default: throw new TypeError(`Unknown handle type: ${type}`); break; } return element.querySelector(selector); } let makeResizable = (options) => { let resizable = options.element || options; let handle = options.handle || resizable; let keepInViewPort = !isNull(options.keepInViewPort) ? options.keepInViewPort : false; let coords = getCoords(resizable); let initialWidth = coords.width; let initialHeight = coords.height; let mouseDown = (event) => { event.stopPropagation(); // Get the mouse down position of the element let coords = getCoords(resizable); let offsetX = event.clientX - coords.width; let offsetY = event.clientY - coords.height; let moveElement = (event) => { // Get the new position let newWidth = (event.clientX - offsetX); let newHeight = (event.clientY - offsetY); // Make sure the width/height is never less than the initial values newWidth = Math.max(newWidth, initialWidth); newHeight = Math.max(newHeight, initialHeight); setPosition(resizable, {width: newWidth, height: newHeight}); if (keepInViewPort && !isInViewport(resizable)) { let bounding = resizable.getBoundingClientRect(); let viewInfo = getViewportInfo(); let viewportHeight = viewInfo.height; let viewportWidth = viewInfo.width; if (bounding.bottom > viewportHeight) { newHeight -= Math.abs(bounding.bottom - viewportHeight); } if (bounding.right > viewportWidth) { newWidth -= Math.abs(bounding.right - viewportWidth); } setPosition(resizable, {width: newWidth, height: newHeight}); } } let reset = (event) => { document.removeEventListener('mousemove', moveElement); document.removeEventListener('mouseup', reset); } document.addEventListener('mouseup', reset); document.addEventListener('mousemove', moveElement); } addTouchSupport(handle); handle.addEventListener('mousedown', mouseDown); } let makeDraggable = (options) => { let draggable = options.element || options; let handle = options.handle || draggable; let keepInViewPort = !isNull(options.keepInViewPort) ? options.keepInViewPort : false; let mouseDown = (event) => { // Get the mouse down position of the element let coords = getCoords(draggable); let offsetX = event.clientX - coords.left; let offsetY = event.clientY - coords.top; let moveElement = (event) => { // Get the new position let newLeft = event.clientX - offsetX; let newTop = event.clientY - offsetY; setPosition(draggable, {left: newLeft, top: newTop}); if (keepInViewPort && !isInViewport(draggable)) { let bounding = draggable.getBoundingClientRect(); let viewInfo = getViewportInfo(); let viewportHeight = viewInfo.height; let viewportWidth = viewInfo.width; if (bounding.left < 0) { newLeft += Math.abs(bounding.left); } if (bounding.top < 0) { newTop += Math.abs(bounding.top); } if (bounding.bottom > viewportHeight) { newTop -= Math.abs(bounding.bottom - viewportHeight); } if (bounding.right > viewportWidth) { newLeft -= Math.abs(bounding.right - viewportWidth); } setPosition(draggable, {left: newLeft, top: newTop}); } } let reset = (event) => { document.removeEventListener('mousemove', moveElement); document.removeEventListener('mouseup', reset); } document.addEventListener('mouseup', reset); document.addEventListener('mousemove', moveElement); } addTouchSupport(handle); handle.addEventListener('mousedown', mouseDown); } // Check to make sure the element will be within our viewport boundary let isInViewport = (element) => { let bounding = element.getBoundingClientRect(); let viewInfo = getViewportInfo(); return ( bounding.top >= 0 && bounding.left >= 0 && bounding.bottom <= viewInfo.height && bounding.right <= viewInfo.width ); } let getViewportInfo = () => { return { height: Math.max(window.innerHeight || 0, document.documentElement.clientHeight || 0), width: Math.max(window.innerWidth || 0, document.documentElement.clientWidth || 0), }; } let getCoords = (element) => { let computedStyle = window.getComputedStyle(element); let intProps = ['left', 'top', 'width', 'height']; let result = {}; for (const prop of intProps) { result[prop] = parseInt(computedStyle[prop], 10) || parseInt(element.style[prop], 10) || 0; } let stringProps = ['position']; for (const prop of stringProps) { result[prop] = (computedStyle[prop] || element.style[prop]).toLowerCase(); } if (result.position !== 'relative') { if (!result.left) { result.left = element.offsetLeft || 0; } if (!result.top) { result.top = element.offsetTop || 0; } if (!result.width) { result.width = element.offsetWidth || 0; } if (!result.height) { result.height = element.offsetHeight || 0; } } return result; } let addTouchSupport = (element) => { let events = ['touchstart', 'touchmove', 'touchend', 'touchcancel']; registerEvents(element, events, touchConverter); } let touchConverter = (event) => { // stop touch event event.stopPropagation(); event.preventDefault(); let touches = event.changedTouches; if (!touches || touches.length < 1) { return; } let first = touches[0]; let target = first.target; let type = ''; switch (event.type) { case 'touchstart': type = 'mousedown'; break; case 'touchmove': type = 'mousemove'; break; case 'touchend': case 'touchcancel': type = 'mouseup'; break; default: return; } let simulatedEvent = null; try { simulatedEvent = new MouseEvent(type, { bubbles: true, cancelable: true, view: window, screenX: first.screenX, screenY: first.screenY, clientX: first.clientX, clientY: first.clientY, }); } catch (e) { simulatedEvent = document.createEvent('MouseEvent'); simulatedEvent.initMouseEvent(type, true, true, window, 1, first.screenX, first.screenY, first.clientX, first.clientY, false, false, false, false, 0 /*left*/, null); } target.dispatchEvent(simulatedEvent); } let resetPosition = (element) => { let panel = exposed.getPanel(element); if (isNull(panel)) { return; } setPosition(panel, {left: null, top: null, width: null, height: null}); } let setPosition = (element, options) => { for (const prop in options) { if (prop in element.style) { let value = options[prop]; element.style[prop] = !isNull(value) ? parseInt(value, 10) + 'px' : value; } } } let shouldCloseOnOuterClick = (element) => { let value = element.getAttribute(settings.dataNameCloseOnOuterClick); return toBoolean(value); } let shouldDrag = (element) => { let value = element.getAttribute(settings.dataNameDraggable); return toBoolean(value); } let setIsDraggable = (element, value) => { element.setAttribute(settings.dataNameIsDraggable, value); } let isDraggable = (element) => { let value = element.getAttribute(settings.dataNameIsDraggable); return toBoolean(value); } let shouldResize = (element) => { let value = element.getAttribute(settings.dataNameResizable); return toBoolean(value); } let setIsResizable = (element, value) => { element.setAttribute(settings.dataNameIsResizable, value); } let isResizable = (element) => { let value = element.getAttribute(settings.dataNameIsResizable); return toBoolean(value); } let verifyElement = (element) => { if (isString(element)) { element = document.querySelector(element); } if (isNull(element)) { throw new TypeError(`Unable to process. Element provided is null`); } else if (!isElement(element)) { throw new TypeError(`Unable to process element of type: ${typeof element}. Reason: '${element}' is not an HTMLElement.`); } return element; } let addClass = (element, cssClass) => { cssClass = settings.cleanClassName(cssClass); let modified = false; if (cssClass.length > 0 && !hasClass(element, cssClass)) { element.classList.add(cssClass) modified = true; } return modified; } let removeClass = (element, cssClass) => { cssClass = settings.cleanClassName(cssClass); let modified = false; if (cssClass.length > 0 && hasClass(element, cssClass)) { element.classList.remove(cssClass); modified = true; } return modified; } let hasClass = (element, cssClass) => { cssClass = settings.cleanClassName(cssClass); return element.classList.contains(cssClass); } let isString = (item) => { return 'string' === typeof item; } let isNull = (item) => { return undefined === item || null === item; } let isElement = (item) => { let value = false; try { value = item instanceof HTMLElement || item instanceof HTMLDocument; } catch (e) { value = (typeof item==="object") && (item.nodeType===1) && (typeof item.style === "object") && (typeof item.ownerDocument ==="object"); } return value; } let toBoolean = (value) => { value = String(value).trim().toLowerCase(); let ret = false; switch (value) { case 'true': case 'yes': case '1': ret = true; break; } return ret; } let isEmpty = (str) => { return isNull(str) || String(str).trim().length < 1; } let randomFromTo = (from, to) => { return Math.floor(Math.random() * (to - from + 1) + from); } (function (factory) { if (typeof define === 'function' && define.amd) { define([], factory); } else if (typeof exports === 'object') { module.exports = factory(); } }(function() { return namespace; })); }(Modal)); // http://programmingnotes.org/ |
The following is Modal.css.
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 |
/* // ============================================================================ // Author: Kenneth Perkins // Date: Sept 4, 2020 // Taken From: http://programmingnotes.org/ // File: Modal.css // Description: CSS for the modal popup // ============================================================================ */ @import url('https://fonts.googleapis.com/css?family=Roboto:400,400italic,500,500italic,700,700italic,900,900italic,300italic,300,100italic,100'); /* The Modal (background) */ .modal { position: fixed; z-index: 1; padding-top: 60px; left: 0; top: 0; width: 100%; height: 100%; overflow: auto; background-color: rgba(0,0,0,0.35); opacity: 0; visibility: hidden; transform: scale(1.1); transition: visibility 0s linear 0.25s, opacity 0.25s 0s, transform 0.25s; display: flex; justify-content: center; } /* Modal Content */ .modal-panel { position: absolute; background-color: #fefefe; margin: auto; padding: 0; border: 1px solid #888; min-width: 400px; max-width: 80%; box-shadow: 0 4px 8px 0 rgba(0,0,0,0.2),0 6px 20px 0 rgba(0,0,0,0.19); border-radius: 10px; min-height: 135px; display: table; } .modal-close-button { position: absolute; color: white; font-size: 28px; display: inline-block; text-decoration: none; cursor: pointer; right: 0; margin-right: 15px; } .modal-close-button:hover, .modal-close-button:focus { color: black; } .modal-close-button:after { content: '×'; } .modal-body { padding-bottom: 52px; } .modal-header, .modal-footer { padding: 2px; background-color: #064685; color: white; min-height: 50px; box-sizing: border-box; text-align: center; } .modal-header { border-top-left-radius: 6px; border-top-right-radius: 6px; } .modal-footer { border-bottom-left-radius: 6px; border-bottom-right-radius: 6px; bottom: 0; position: absolute; width: 99.8%; transform: translateY(1%); } .modal-header-text, .modal-footer-text { font-size: 19px; display: inline-block; max-width: 80%; overflow: hidden; white-space: nowrap; text-overflow: ellipsis; margin-top: auto; transform: translateY(50%); } .modal-header-text.bold, .modal-footer-text.bold { font-weight: bold; } .modal.show { opacity: 1; visibility: visible; transform: scale(1.0); transition: visibility 0s linear 0s, opacity 0.25s 0s, transform 0.25s; } .modal-draggable { cursor: move; cursor: grab; } .modal-draggable:active { cursor: move; cursor: grabbing; } .modal-draggable.icon { position: absolute; color: grey; font-size: 23px; display: inline-block; text-decoration: none; left: 0; margin-left: 15px; outline: none; } .modal-draggable.icon:hover, .modal-resizable.icon:hover { color: white; background-color: rgba(0,191,165,.04) } .modal-draggable.icon:active, .modal-resizable.icon:active { color: yellow; } .modal-draggable.icon:after { content: '⮀'; } .modal-resizable { cursor: move; cursor: grab; cursor: nwse-resize; } .modal-resizable:active { cursor: move; cursor: grabbing; cursor: nwse-resize; } .modal-resizable.icon { position: absolute; color: grey; font-size: 20px; display: inline-block; text-decoration: none; width: 10px; height: 10px; right: 0; margin-right: 10px; outline: none; transform: translateY(-200%); bottom: 0; } .modal-resizable.icon:after { content: '⇲'; } .modal-header, .modal-footer, .modal-draggable.icon, .modal-close-button, .modal-body, .modal-button { font-family: "Roboto",sans-serif, Marmelad,"Lucida Grande",Arial,"Hiragino Sans GB",Georgia,"Helvetica Neue",Helvetica; } .modal-button { padding: 4px; background-color: #d2d2d2; text-align: center; text-decoration: none; color: black; border-radius: 15px; cursor: pointer; min-width: 100px; border: none; outline: #eee; font-size: 15px; } .modal-button:hover { background-color:#bdbdbd; } .modal-button.cancel { } .modal-button.ok { } .modal.dialog { } .modal-panel.dialog { } .modal-header.dialog { } .modal-header-text.dialog { } .modal-footer.dialog { display: flex; justify-content: center; align-items: center; width: 100%; padding: 10px; } .modal-body.dialog { margin: 20px; text-align: center; } .modal-button.dialog { min-width: 150px; margin-top: 1px; } .modal-button:not(:last-child) { margin-right: 20px; } .modal-button.resizeMargin { margin-right: 16px; } .buttonContainer { max-width: 600px; }/* // http://programmingnotes.org/ */ |
6. More Examples
Below are more examples demonstrating the use of ‘Modal.js‘. Don’t forget to include the module when running the examples!
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 |
<!-- // ============================================================================ // Author: Kenneth Perkins // Date: Sept 4, 2020 // Taken From: http://programmingnotes.org/ // File: modalDemo.html // Description: Demonstrates the use of Modal.js // ============================================================================ --> <!DOCTYPE html> <html> <head> <meta charset="utf-8"/> <title>My Programming Notes Modal.js Demo</title> <style> .main { text-align:center; margin-left:auto; margin-right:auto; } .button { padding: 5px; background-color: #d2d2d2; height:100%; text-align:center; text-decoration:none; color:black; display: flex; justify-content: center; align-items: center; flex-direction: column; border-radius: 15px; cursor: pointer; width: 120px; } .button:hover { background-color:#bdbdbd; } .inline { display:inline-block; } .center { display: flex; justify-content: center; align-items: center; } .modal-body { padding: 2px 16px; } </style> <!-- // Include module --> <link type="text/css" rel="stylesheet" href="./Modal.css"> <script type="text/javascript" src="./Modal.js"></script> </head> <body> <div class="main"> My Programming Notes Modal.js Demo <div style="margin-top: 20px;"> <div id="btnShow" class="inline button"> Show </div> </div> <!-- The Modal Background--> <section id="modalExample" class="modal" data-closeOnOuterClick="true" data-draggable="true" data-resizable="true" > <!-- Modal Panel --> <article class="modal-panel"> <header class="modal-header"> <div class="modal-header-text"> Modal Header </div> <div class="modal-close-button"></div> </header> <div class="modal-body"> <p>Some text in the Modal Body</p> <p>Some other text...</p> </div> <footer class="modal-footer"> <div class="modal-footer-text"> Modal Footer </div> </footer> </article> </section> </div> <script> document.addEventListener("DOMContentLoaded", function(eventLoaded) { // Optional: Sets up the initial default button clicks Modal.init(); // Show the modal document.querySelector('#btnShow').addEventListener('click', (event) => { Modal.show('#modalExample'); }); // Get the modal element let modalElement = document.querySelector('#modalExample'); setTimeout(() => { Modal.show(modalElement); setTimeout(() => { Modal.hide(modalElement); }, 2000); }, 200); }); </script> </body> </html><!-- // http://programmingnotes.org/ --> |
QUICK NOTES:
The highlighted lines are sections of interest to look out for.
The code is heavily commented, so no further insight is necessary. If you have any questions, feel free to leave a comment below.
Leave a Reply