pyfedi/app/static/js/scripts.js

798 lines
28 KiB
JavaScript
Raw Normal View History

2024-08-18 16:38:55 +12:00
if(!setTheme) {
const setTheme = theme => {
if (theme === 'auto' && window.matchMedia('(prefers-color-scheme: dark)').matches) {
document.documentElement.setAttribute('data-bs-theme', 'dark')
} else {
document.documentElement.setAttribute('data-bs-theme', theme)
}
}
}
2023-09-03 16:30:20 +12:00
// fires after DOM is ready for manipulation
document.addEventListener("DOMContentLoaded", function () {
2024-09-08 12:31:16 +12:00
if(navigator.getBattery) {
navigator.getBattery().then(function(battery) {
// Only load youtube videos in teasers if there is plenty of power available
if (battery.charging) {
setupYouTubeLazyLoad();
}
});
}
2023-09-03 16:30:20 +12:00
setupCommunityNameInput();
setupShowMoreLinks();
2023-10-21 15:49:01 +13:00
setupConfirmFirst();
setupSubmitOnInputChange();
2023-11-30 17:39:13 +13:00
setupTimeTracking();
2023-12-24 17:41:34 +13:00
setupMobileNav();
setupLightDark();
2024-01-19 22:49:16 +13:00
setupKeyboardShortcuts();
setupTopicChooser();
2024-02-17 20:05:57 +13:00
setupConversationChooser();
2024-02-28 20:12:57 +13:00
setupMarkdownEditorEnabler();
2024-05-18 19:41:20 +12:00
setupAddPollChoice();
setupShowElementLinks();
setupLightboxTeaser();
2024-08-07 17:15:30 +12:00
setupLightboxPostBody();
setupPostTeaserHandler();
2023-09-03 16:30:20 +12:00
});
function setupPostTeaserHandler() {
document.querySelectorAll('.post_teaser_clickable').forEach(div => {
div.onclick = function() {
const firstAnchor = this.parentElement.querySelector('a');
if (firstAnchor) {
window.location.href = firstAnchor.href;
}
};
});
}
function setupYouTubeLazyLoad() {
const lazyVideos = document.querySelectorAll(".video-wrapper");
if ("IntersectionObserver" in window) {
let videoObserver = new IntersectionObserver((entries, observer) => {
entries.forEach((entry) => {
if (entry.isIntersecting) {
let videoWrapper = entry.target;
let iframe = document.createElement("iframe");
iframe.src = videoWrapper.getAttribute("data-src");
iframe.allow = "accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture; fullscreen";
videoWrapper.innerHTML = "";
videoWrapper.appendChild(iframe);
videoObserver.unobserve(videoWrapper);
}
});
}, {
rootMargin: "0px 0px 300px 0px" // Preload when 300px away from the viewport
});
lazyVideos.forEach((video) => {
videoObserver.observe(video);
});
} else {
// Fallback for older browsers
lazyVideos.forEach((video) => {
let iframe = document.createElement("iframe");
iframe.src = video.getAttribute("data-src");
iframe.allow = "accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture; fullscreen";
video.innerHTML = "";
video.appendChild(iframe);
});
}
}
// All elements with the class "showElement" will show the DOM element referenced by the data-id attribute
function setupShowElementLinks() {
var elements = document.querySelectorAll('.showElement');
elements.forEach(function(element) {
element.addEventListener('click', function(event) {
event.preventDefault();
var dataId = this.getAttribute('data-id');
var targetElement = document.getElementById(dataId);
if (targetElement) {
targetElement.style.display = 'inherit';
}
});
});
}
2024-04-24 17:32:07 +12:00
function renderMasonry(masonry, htmlSnippets) {
const mainPane = document.querySelector('.main_pane');
const mainPaneWidth = mainPane.offsetWidth;
let numColumns;
if (mainPaneWidth < 600) {
numColumns = 2; // 2 columns for mobile
} else if (mainPaneWidth < 992) {
numColumns = 3; // 3 columns for phablet
} else if (mainPaneWidth < 1200) {
numColumns = 4; // 4 columns for tablet or laptop
} else {
numColumns = 5; // 5 columns for larger screens
}
const columns = [];
// Create and append column divs
for (let i = 0; i < numColumns; i++) {
const column = document.createElement('div');
column.classList.add('column');
masonry.appendChild(column);
columns.push(column);
}
// Distribute HTML snippets to columns
htmlSnippets.forEach(function(htmlSnippet, index) {
const columnIndex = index % numColumns;
const column = columns[columnIndex];
const item = document.createElement('div');
item.innerHTML = htmlSnippet;
column.appendChild(item);
});
setupLightboxGallery();
2024-04-24 17:32:07 +12:00
}
2024-03-17 16:09:50 +13:00
function setupLightboxGallery() {
// Check if there are elements with either "post_list_masonry_wide" or "post_list_masonry" class
var galleryPosts = document.querySelectorAll('.masonry');
2024-03-17 16:09:50 +13:00
// Enable lightbox on masonry images
if (galleryPosts.length > 0) {
baguetteBox.run('.masonry', {
2024-03-17 16:09:50 +13:00
fullScreen: false,
titleTag: true,
preload: 5,
2024-03-17 16:09:50 +13:00
captions: function(element) {
return element.getElementsByTagName('img')[0].title;
}
});
}
}
2023-09-03 16:30:20 +12:00
function setupLightboxTeaser() {
2024-07-05 00:35:48 +02:00
function popStateListener(event) {
baguetteBox.hide();
}
baguetteBox.run('.post_teaser', {
fullScreen: false,
noScrollbars: true,
async: true,
preload: 3,
ignoreClass: 'preview_image',
afterShow: function() {
2024-07-05 00:35:48 +02:00
window.history.pushState('#lightbox', document.title, document.location+'#lightbox');
window.addEventListener('popstate', popStateListener);
function baguetteBoxClickImg(event) {
2024-07-03 14:56:02 +02:00
if (this.style.width != "100vw" && this.offsetWidth < window.innerWidth) {
this.style.width = "100vw";
this.style.maxHeight = "none";
} else {
this.style.width = "";
this.style.maxHeight = "";
this.removeEventListener('click', baguetteBoxClickImg);
baguetteBox.hide();
}
};
for (const el of document.querySelectorAll('div#baguetteBox-overlay img')) {
el.addEventListener('click', baguetteBoxClickImg);
}
2024-07-03 14:56:02 +02:00
},
2024-07-05 00:35:48 +02:00
afterHide: function() {
if (window.history.state === '#lightbox') {
window.history.back();
window.removeEventListener('popstate', popStateListener);
}
},
});
}
2024-08-07 17:15:30 +12:00
function setupLightboxPostBody() {
const images = document.querySelectorAll('.post_body img');
images.forEach(function(img) {
const parent = img.parentNode;
const link = document.createElement('a');
link.href = img.src;
link.setAttribute('data-caption', img.alt);
parent.replaceChild(link, img);
link.appendChild(img);
});
baguetteBox.run('.post_body', {
fullScreen: false,
titleTag: true,
async: true,
preload: 3
});
}
2023-09-03 16:30:20 +12:00
// fires after all resources have loaded, including stylesheets and js files
window.addEventListener("load", function () {
setupHideButtons();
2023-09-03 16:30:20 +12:00
});
2023-12-24 17:41:34 +13:00
function setupMobileNav() {
var navbarToggler = document.getElementById('navbar-toggler');
var navbarSupportedContent = document.getElementById('navbarSupportedContent');
2023-12-24 17:41:34 +13:00
navbarToggler.addEventListener("click", function(event) {
toggleClass('navbarSupportedContent', 'show_menu');
var isExpanded = navbarSupportedContent.classList.contains('show_menu');
2024-02-29 22:17:01 +13:00
navbarToggler.setAttribute('aria-expanded', isExpanded ? 'true' : 'false');
navbarSupportedContent.setAttribute('aria-expanded', isExpanded ? 'true' : 'false');
2023-12-24 17:41:34 +13:00
});
2024-02-29 22:17:01 +13:00
if(window.innerWidth < 992) {
navbarToggler.setAttribute('aria-expanded', 'false');
}
2023-12-24 17:41:34 +13:00
}
function setupLightDark() {
const elem = document.getElementById('light_mode');
elem.addEventListener("click", function(event) {
setTheme('light')
setStoredTheme('light')
});
const elem2 = document.getElementById('dark_mode');
elem2.addEventListener("click", function(event) {
setTheme('dark')
setStoredTheme('dark')
});
}
2023-12-24 17:41:34 +13:00
function toggleClass(elementId, className) {
var element = document.getElementById(elementId);
if (element.classList.contains(className)) {
// If the element has the class, remove it
element.classList.remove(className);
} else {
// If the element doesn't have the class, add it
element.classList.add(className);
}
}
function findOutermostParent(element, className) {
while (element && !element.classList.contains(className)) {
element = element.parentNode;
}
return element;
}
function setupAutoResize(element) {
const elem = document.getElementById(element);
elem.addEventListener("keyup", function(event) {
const outerWrapper = findOutermostParent(elem, 'downarea');
elem.style.height = 'auto'; // Reset height to auto to calculate scrollHeight accurately
elem.style.height = (elem.scrollHeight + 2) + 'px'; // Add 2px to avoid cutting off text
outerWrapper.style.height = (elem.scrollHeight + 61) + 'px';
});
}
// disabled for now
function setupImageExpander() {
// Get all elements with the class "preview_image"
var imageLinks = document.querySelectorAll('.preview_image');
// Loop through each element and attach a click event listener
imageLinks.forEach(function(link) {
link.addEventListener('click', function(event) {
event.preventDefault(); // Prevent the default behavior of the anchor link
// Check if the image is already visible
var image = this.nextElementSibling; // Assumes the image is always the next sibling
var isImageVisible = image && image.style.display !== 'none';
// Toggle the visibility of the image
if (isImageVisible) {
image.remove(); // Remove the image from the DOM
} else {
image = document.createElement('img');
image.src = this.href; // Set the image source to the href of the anchor link
image.alt = 'Image'; // Set the alt attribute for accessibility
image.className = 'preview_image_shown';
// Add click event listener to the inserted image
image.addEventListener('click', function() {
// Replace location.href with the URL of the clicked image
window.location.href = image.src;
});
// Insert the image after the anchor link
this.parentNode.insertBefore(image, this.nextSibling);
}
// Toggle a class on the anchor to indicate whether the image is being shown or not
this.classList.toggle('imageVisible', !isImageVisible);
});
});
}
2023-10-23 22:54:11 +13:00
function collapseReply(comment_id) {
const reply = document.getElementById('comment_' + comment_id);
let isHidden = false;
if(reply) {
const hidables = parentElement.querySelectorAll('.hidable');
hidables.forEach(hidable => {
hidable.style.display = isHidden ? 'block' : 'none';
});
const moreHidables = parentElement.parentElement.querySelectorAll('.hidable');
moreHidables.forEach(hidable => {
hidable.style.display = isHidden ? 'block' : 'none';
});
// Toggle the content of hideEl
if (isHidden) {
hideEl.innerHTML = "<a href='#'>[-] hide</a>";
} else {
hideEl.innerHTML = "<a href='#'>[+] show</a>";
}
isHidden = !isHidden; // Toggle the state
}
}
2023-10-21 15:49:01 +13:00
// every element with the 'confirm_first' class gets a popup confirmation dialog
function setupConfirmFirst() {
const show_first = document.querySelectorAll('.confirm_first');
show_first.forEach(element => {
element.addEventListener("click", function(event) {
if (!confirm("Are you sure?")) {
event.preventDefault(); // As the user clicked "Cancel" in the dialog, prevent the default action.
}
});
});
const go_back = document.querySelectorAll('.go_back');
go_back.forEach(element => {
element.addEventListener("click", function(event) {
history.back();
event.preventDefault();
return false;
});
2023-10-21 15:49:01 +13:00
})
2024-01-21 12:35:20 +13:00
const redirect_login = document.querySelectorAll('.redirect_login');
redirect_login.forEach(element => {
element.addEventListener("click", function(event) {
location.href = '/auth/login';
event.preventDefault();
return false;
});
});
2023-10-21 15:49:01 +13:00
}
function setupSubmitOnInputChange() {
const inputElements = document.querySelectorAll('.submit_on_change');
inputElements.forEach(element => {
element.addEventListener("change", function() {
const form = findParentForm(element);
if (form) {
form.submit();
}
});
});
}
// Find the parent form of an element
function findParentForm(element) {
let currentElement = element;
while (currentElement) {
if (currentElement.tagName === 'FORM') {
return currentElement;
}
currentElement = currentElement.parentElement;
}
return null;
}
function setupShowMoreLinks() {
const comments = document.querySelectorAll('.comment');
comments.forEach(comment => {
2023-10-15 21:13:32 +13:00
const content = comment.querySelector('.limit_height');
if (content && content.clientHeight > 400) {
content.style.overflow = 'hidden';
content.style.maxHeight = '400px';
const showMoreLink = document.createElement('a');
showMoreLink.classList.add('show-more');
showMoreLink.classList.add('hidable');
showMoreLink.innerHTML = '<i class="fe fe-angles-down" title="Read more"></i>';
showMoreLink.href = '#';
showMoreLink.addEventListener('click', function(event) {
event.preventDefault();
content.classList.toggle('expanded');
if (content.classList.contains('expanded')) {
content.style.overflow = 'visible';
content.style.maxHeight = '';
showMoreLink.innerHTML = '<i class="fe fe-angles-up" title="Collapse"></i>';
} else {
content.style.overflow = 'hidden';
2023-10-15 21:13:32 +13:00
content.style.maxHeight = '400px';
showMoreLink.innerHTML = '<i class="fe fe-angles-down" title="Read more"></i>';
}
});
content.insertAdjacentElement('afterend', showMoreLink);
}
});
}
2023-09-03 16:30:20 +12:00
function setupCommunityNameInput() {
var communityNameInput = document.getElementById('community_name');
if (communityNameInput) {
communityNameInput.addEventListener('keyup', function() {
var urlInput = document.getElementById('url');
urlInput.value = titleToURL(communityNameInput.value);
});
}
}
function setupHideButtons() {
const hideEls2 = document.querySelectorAll('.hide_button a');
hideEls2.forEach(hideEl => {
let isHidden = false;
hideEl.addEventListener('click', event => {
event.preventDefault();
const parentElement = hideEl.parentElement.parentElement;
const hidables = parentElement.parentElement.querySelectorAll('.hidable');
hidables.forEach(hidable => {
hidable.style.display = 'none';
});
const unhide = parentElement.parentElement.querySelectorAll('.unhide');
unhide[0].style.display = 'inline-block';
});
});
const showEls = document.querySelectorAll('a.unhide');
showEls.forEach(showEl => {
showEl.addEventListener('click', event => {
event.preventDefault();
showEl.style.display = 'none';
const hidables = showEl.parentElement.parentElement.parentElement.querySelectorAll('.hidable');
hidables.forEach(hidable => {
hidable.style.display = '';
});
});
});
2023-10-23 22:54:11 +13:00
2023-11-30 17:39:13 +13:00
if(typeof toBeHidden !== "undefined" && toBeHidden) {
2023-10-23 22:54:11 +13:00
toBeHidden.forEach((arrayElement) => {
// Build the ID of the outer div
const divId = "comment_" + arrayElement;
// Access the outer div by its ID
const commentDiv = document.getElementById(divId);
if (commentDiv) {
// Access the inner div with class "hide_button" inside the outer div
const hideButton = commentDiv.querySelectorAll(".hide_button a");
2023-10-23 22:54:11 +13:00
if (hideButton) {
// Programmatically trigger a click event on the "hide_button" anchor
hideButton[0].click();
2023-10-23 22:54:11 +13:00
} else {
console.log(`"hide_button" not found in ${divId}`);
}
} else {
console.log(`Div with ID ${divId} not found`);
}
});
}
}
2023-09-03 16:30:20 +12:00
function titleToURL(title) {
// Convert the title to lowercase and replace spaces with hyphens
return title.toLowerCase().replace(/\s+/g, '_');
2023-11-30 17:39:13 +13:00
}
var timeTrackingInterval;
var currentlyVisible = true;
function setupTimeTracking() {
// Check for Page Visibility API support
if (document.visibilityState) {
const lastUpdate = new Date(localStorage.getItem('lastUpdate')) || new Date();
// Initialize variables to track time
let timeSpent = parseInt(localStorage.getItem('timeSpent')) || 0;
displayTimeTracked();
timeTrackingInterval = setInterval(() => {
timeSpent += 2;
localStorage.setItem('timeSpent', timeSpent);
// Display timeSpent
displayTimeTracked();
}, 2000)
// Event listener for visibility changes
document.addEventListener("visibilitychange", function() {
const currentDate = new Date();
if (currentDate.getMonth() !== lastUpdate.getMonth() || currentDate.getFullYear() !== lastUpdate.getFullYear()) {
// Reset counter for a new month
timeSpent = 0;
localStorage.setItem('timeSpent', timeSpent);
localStorage.setItem('lastUpdate', currentDate.toString());
displayTimeTracked();
}
if (document.visibilityState === "visible") {
console.log('visible')
currentlyVisible = true
timeTrackingInterval = setInterval(() => {
timeSpent += 2;
localStorage.setItem('timeSpent', timeSpent);
displayTimeTracked();
}, 2000)
} else {
currentlyVisible = false;
if(timeTrackingInterval) {
clearInterval(timeTrackingInterval);
}
}
});
}
}
2024-01-21 12:14:05 +13:00
var currentPost; // keep track of which is the current post. Set by mouse movements (see const votableElements) and by J and K key presses
var showCurrentPost = false; // when true, the currently selected post will be visibly different from the others. Set to true by J and K key presses
2024-01-19 22:49:16 +13:00
function setupKeyboardShortcuts() {
document.addEventListener('keydown', function(event) {
if (document.activeElement.tagName !== 'INPUT' && document.activeElement.tagName !== 'TEXTAREA') {
2024-02-26 21:26:19 +13:00
if(document.activeElement.classList.contains('skip-link')) {
2024-02-05 08:39:08 +13:00
return;
}
2024-01-20 09:47:36 +13:00
var didSomething = false;
2024-01-21 12:14:05 +13:00
if(event.shiftKey && event.key === '?') {
location.href = '/keyboard_shortcuts';
didSomething = true;
} else if (event.key === 'a') {
2024-01-19 22:49:16 +13:00
if(currentPost) {
currentPost.querySelector('.upvote_button').click();
2024-01-20 09:47:36 +13:00
didSomething = true;
2024-01-19 22:49:16 +13:00
}
} else if (event.key === 'z') {
if(currentPost) {
currentPost.querySelector('.downvote_button').click();
2024-01-20 09:47:36 +13:00
didSomething = true;
}
} else if (event.key === 'x') {
if(currentPost) {
currentPost.querySelector('.preview_image').click();
didSomething = true;
}
} else if (event.key === 'l') {
if (currentPost) {
2024-01-20 09:47:36 +13:00
currentPost.querySelector('.post_link').click();
didSomething = true;
2024-01-19 22:49:16 +13:00
}
} else if (event.key === 'Enter') {
2024-01-23 19:17:05 +13:00
if(currentPost && document.activeElement.tagName !== 'a') {
2024-01-20 10:07:23 +13:00
currentPost.querySelector('.post_teaser_title_a').click();
2024-01-20 09:47:36 +13:00
didSomething = true;
2024-01-19 22:49:16 +13:00
}
2024-01-21 12:14:05 +13:00
} else if (event.key === 'j') {
showCurrentPost = true;
if(currentPost) {
if(currentPost.nextElementSibling) {
var elementToRemoveClass = document.querySelector('.post_teaser.current_post');
if(elementToRemoveClass)
elementToRemoveClass.classList.remove('current_post');
currentPost = currentPost.nextElementSibling;
currentPost.classList.add('current_post');
}
didSomething = true;
}
else {
currentPost = document.querySelector('.post_teaser');
currentPost.classList.add('current_post');
}
// Check if the current post is out of the viewport
var rect = currentPost.getBoundingClientRect();
if (rect.bottom > window.innerHeight || rect.top < 0) {
currentPost.scrollIntoView({ behavior: 'smooth', block: 'start' });
}
} else if (event.key === 'k') {
showCurrentPost = true;
if(currentPost) {
if(currentPost.previousElementSibling) {
var elementToRemoveClass = document.querySelector('.post_teaser.current_post');
if(elementToRemoveClass)
elementToRemoveClass.classList.remove('current_post');
currentPost = currentPost.previousElementSibling;
currentPost.classList.add('current_post');
}
didSomething = true;
}
else {
currentPost = document.querySelector('.post_teaser');
currentPost.classList.add('current_post');
}
// Check if the current post is out of the viewport
var rect = currentPost.getBoundingClientRect();
if (rect.bottom > window.innerHeight || rect.top < 0) {
currentPost.scrollIntoView({ behavior: 'smooth', block: 'end' });
}
2024-01-19 22:49:16 +13:00
}
2024-01-20 09:47:36 +13:00
if(didSomething) {
event.preventDefault();
}
2024-01-19 22:49:16 +13:00
}
// While typing a post or reply, Ctrl + Enter submits the form
if(document.activeElement.tagName === 'TEXTAREA') {
if (event.ctrlKey && event.key === 'Enter') {
var form = document.activeElement.closest('form');
if (form) {
form.submit.click();
}
}
}
2024-01-19 22:49:16 +13:00
});
2024-01-21 12:14:05 +13:00
const votableElements = document.querySelectorAll('.post_teaser, .post_type_image, .post_type_normal');
2024-01-20 09:47:36 +13:00
votableElements.forEach(votable => {
votable.addEventListener('mouseover', event => {
2024-01-19 22:49:16 +13:00
currentPost = event.currentTarget;
2024-01-21 12:14:05 +13:00
if(showCurrentPost) {
var elementToRemoveClass = document.querySelector('.post_teaser.current_post');
elementToRemoveClass.classList.remove('current_post');
currentPost.classList.add('current_post');
}
2024-01-19 22:49:16 +13:00
});
2024-01-20 09:47:36 +13:00
votable.addEventListener('mouseout', event => {
2024-01-21 12:14:05 +13:00
//currentPost = null;
if(showCurrentPost) {
//var elementToRemoveClass = document.querySelector('.post_teaser.current_post');
//elementToRemoveClass.classList.remove('current_post');
}
2024-01-19 22:49:16 +13:00
});
});
}
function setupTopicChooser() {
// at /topic/news/submit, clicking on an anchor element needs to save the clicked community id to a hidden field and then submit the form
var chooseTopicLinks = document.querySelectorAll('a.choose_topic_for_post');
chooseTopicLinks.forEach(function(link) {
link.addEventListener('click', function(event) {
event.preventDefault();
var communityIdInput = document.getElementById('community_id');
var communityForm = document.getElementById('choose_community');
// Set the value of the hidden input field
if (communityIdInput) {
communityIdInput.value = this.getAttribute('data-id');
}
if (communityForm) {
communityForm.submit();
}
});
});
}
2024-02-17 20:05:57 +13:00
function setupConversationChooser() {
const changeSender = document.getElementById('changeSender');
if(changeSender) {
changeSender.addEventListener('change', function() {
const user_id = changeSender.options[changeSender.selectedIndex].value;
location.href = '/chat/' + user_id;
});
}
}
2023-11-30 17:39:13 +13:00
function formatTime(seconds) {
const hours = Math.floor(seconds / 3600);
const minutes = Math.floor((seconds % 3600) / 60);
let result = '';
if (hours > 0) {
result += `${hours} ${hours === 1 ? 'hour' : 'hours'}`;
}
if (minutes > 0) {
if (result !== '') {
result += ' ';
}
result += `${minutes} ${minutes === 1 ? 'minute' : 'minutes'}`;
}
if (result === '') {
result = 'Less than a minute';
}
return result;
}
function displayTimeTracked() {
const timeSpentElement = document.getElementById('timeSpent');
let timeSpent = parseInt(localStorage.getItem('timeSpent')) || 0;
if(timeSpentElement && timeSpent) {
timeSpentElement.textContent = formatTime(timeSpent)
}
2024-02-28 17:42:49 +13:00
}
2024-02-28 20:12:57 +13:00
function setupMarkdownEditorEnabler() {
const markdownEnablerLinks = document.querySelectorAll('.markdown_editor_enabler');
markdownEnablerLinks.forEach(function(link) {
link.addEventListener('click', function(event) {
event.preventDefault();
const dataId = link.dataset.id;
if(dataId) {
var downarea = new DownArea({
elem: document.querySelector('#' + dataId),
resize: DownArea.RESIZE_VERTICAL,
hide: ['heading', 'bold-italic'],
value: document.getElementById(dataId).value
2024-02-28 20:12:57 +13:00
});
setupAutoResize(dataId);
link.style.display = 'none';
}
});
});
}
2024-05-18 19:41:20 +12:00
function setupAddPollChoice() {
const addChoiceButton = document.getElementById('addPollChoice');
const pollChoicesFieldset = document.getElementById('pollChoicesFieldset');
if(pollChoicesFieldset == null) {
return;
}
2024-05-18 19:41:20 +12:00
const formGroups = pollChoicesFieldset.getElementsByClassName('form-group');
if(addChoiceButton && addChoiceButton) {
2024-05-18 19:41:20 +12:00
addChoiceButton.addEventListener('click', function(event) {
// Loop through the form groups and show the first hidden one
for (let i = 0; i < formGroups.length; i++) {
if (formGroups[i].style.display === 'none') {
formGroups[i].style.display = 'block';
break; // Stop once we've shown the next hidden form group
}
}
});
}
}
2024-05-12 14:16:12 +12:00
function getCookie(name) {
var cookies = document.cookie.split(';');
for (var i = 0; i < cookies.length; i++) {
var cookie = cookies[i].trim();
if (cookie.indexOf(name + '=') === 0) {
return cookie.substring(name.length + 1);
}
}
return null;
}
2024-02-28 20:12:57 +13:00
/* register a service worker */
2024-02-28 17:42:49 +13:00
if ('serviceWorker' in navigator) {
window.addEventListener('load', function() {
navigator.serviceWorker.register('/static/service_worker.js', {scope: '/static/'}).then(function(registration) {
// Registration was successful
// console.log('ServiceWorker2 registration successful with scope: ', registration.scope);
}, function(err) {
// registration failed :(
2024-02-28 20:12:57 +13:00
console.log('ServiceWorker registration failed: ', err);
2024-02-28 17:42:49 +13:00
});
});
}