/** * DokuWiki Compact Calendar Plugin JavaScript * Loaded independently to avoid DokuWiki concatenation issues */ // Ensure DOKU_BASE is defined - check multiple sources if (typeof DOKU_BASE === 'undefined') { // Try to get from global jsinfo object (DokuWiki standard) if (typeof window.jsinfo !== 'undefined' && window.jsinfo.dokubase) { window.DOKU_BASE = window.jsinfo.dokubase; } else { // Fallback: extract from script source path var scripts = document.getElementsByTagName('script'); var pluginScriptPath = null; for (var i = 0; i < scripts.length; i++) { if (scripts[i].src && scripts[i].src.indexOf('calendar/script.js') !== -1) { pluginScriptPath = scripts[i].src; break; } } if (pluginScriptPath) { // Extract base path from: .../lib/plugins/calendar/script.js var match = pluginScriptPath.match(/^(.*?)lib\/plugins\//); window.DOKU_BASE = match ? match[1] : '/'; } else { // Last resort: use root window.DOKU_BASE = '/'; } } } // Shorthand for convenience var DOKU_BASE = window.DOKU_BASE || '/'; // Filter calendar by namespace window.filterCalendarByNamespace = function(calId, namespace) { // Get current year and month from calendar const container = document.getElementById(calId); if (!container) { console.error('Calendar container not found:', calId); return; } const year = parseInt(container.dataset.year) || new Date().getFullYear(); const month = parseInt(container.dataset.month) || (new Date().getMonth() + 1); // Reload calendar with the filtered namespace navCalendar(calId, year, month, namespace); }; // Navigate to different month window.navCalendar = function(calId, year, month, namespace) { const params = new URLSearchParams({ call: 'plugin_calendar', action: 'load_month', year: year, month: month, namespace: namespace, _: new Date().getTime() // Cache buster }); fetch(DOKU_BASE + 'lib/exe/ajax.php', { method: 'POST', headers: { 'Content-Type': 'application/x-www-form-urlencoded', 'Cache-Control': 'no-cache, no-store, must-revalidate', 'Pragma': 'no-cache' }, body: params.toString() }) .then(r => r.json()) .then(data => { if (data.success) { rebuildCalendar(calId, data.year, data.month, data.events, namespace); } else { console.error('Failed to load month:', data.error); } }) .catch(err => { console.error('Error loading month:', err); }); }; // Jump to current month window.jumpToToday = function(calId, namespace) { const today = new Date(); const year = today.getFullYear(); const month = today.getMonth() + 1; // JavaScript months are 0-indexed navCalendar(calId, year, month, namespace); }; // Jump to today for event panel window.jumpTodayPanel = function(calId, namespace) { const today = new Date(); const year = today.getFullYear(); const month = today.getMonth() + 1; navEventPanel(calId, year, month, namespace); }; // Open month picker dialog window.openMonthPicker = function(calId, currentYear, currentMonth, namespace) { const overlay = document.getElementById('month-picker-overlay-' + calId); const monthSelect = document.getElementById('month-picker-month-' + calId); const yearSelect = document.getElementById('month-picker-year-' + calId); if (!overlay) { console.error('Month picker overlay not found! ID:', 'month-picker-overlay-' + calId); return; } if (!monthSelect || !yearSelect) { console.error('Select elements not found!'); return; } // Set current values monthSelect.value = currentMonth; yearSelect.value = currentYear; // Show overlay overlay.style.display = 'flex'; }; // Open month picker dialog for event panel window.openMonthPickerPanel = function(calId, currentYear, currentMonth, namespace) { openMonthPicker(calId, currentYear, currentMonth, namespace); }; // Close month picker dialog window.closeMonthPicker = function(calId) { const overlay = document.getElementById('month-picker-overlay-' + calId); overlay.style.display = 'none'; }; // Jump to selected month window.jumpToSelectedMonth = function(calId, namespace) { const monthSelect = document.getElementById('month-picker-month-' + calId); const yearSelect = document.getElementById('month-picker-year-' + calId); const month = parseInt(monthSelect.value); const year = parseInt(yearSelect.value); closeMonthPicker(calId); // Check if this is a calendar or event panel const container = document.getElementById(calId); if (container && container.classList.contains('event-panel-standalone')) { navEventPanel(calId, year, month, namespace); } else { navCalendar(calId, year, month, namespace); } }; // Rebuild calendar grid after navigation window.rebuildCalendar = function(calId, year, month, events, namespace) { const container = document.getElementById(calId); const monthNames = ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December']; // Preserve original namespace if not yet set if (!container.dataset.originalNamespace) { container.setAttribute('data-original-namespace', namespace || ''); } // Update container data attributes for current month/year container.setAttribute('data-year', year); container.setAttribute('data-month', month); // Update embedded events data let eventsDataEl = document.getElementById('events-data-' + calId); if (eventsDataEl) { eventsDataEl.textContent = JSON.stringify(events); } else { eventsDataEl = document.createElement('script'); eventsDataEl.type = 'application/json'; eventsDataEl.id = 'events-data-' + calId; eventsDataEl.textContent = JSON.stringify(events); container.appendChild(eventsDataEl); } // Update header const header = container.querySelector('.calendar-compact-header h3'); header.textContent = monthNames[month - 1] + ' ' + year; // Update or create namespace filter indicator let filterIndicator = container.querySelector('.calendar-namespace-filter'); const shouldShowFilter = namespace && namespace !== '' && namespace !== '*' && namespace.indexOf('*') === -1 && namespace.indexOf(';') === -1; if (shouldShowFilter) { // Show/update filter indicator if (!filterIndicator) { // Create filter indicator if it doesn't exist const headerDiv = container.querySelector('.calendar-compact-header'); if (!headerDiv) { console.error('Header div not found!'); } else { filterIndicator = document.createElement('div'); filterIndicator.className = 'calendar-namespace-filter'; filterIndicator.id = 'namespace-filter-' + calId; headerDiv.parentNode.insertBefore(filterIndicator, headerDiv.nextSibling); } } else { } if (filterIndicator) { filterIndicator.innerHTML = 'Filtering:' + '' + escapeHtml(namespace) + '' + ''; filterIndicator.style.display = 'flex'; } } else { // Hide filter indicator if (filterIndicator) { filterIndicator.style.display = 'none'; } } // Update container's namespace attribute container.setAttribute('data-namespace', namespace || ''); // Update nav buttons let prevMonth = month - 1; let prevYear = year; if (prevMonth < 1) { prevMonth = 12; prevYear--; } let nextMonth = month + 1; let nextYear = year; if (nextMonth > 12) { nextMonth = 1; nextYear++; } const navBtns = container.querySelectorAll('.cal-nav-btn'); navBtns[0].setAttribute('onclick', `navCalendar('${calId}', ${prevYear}, ${prevMonth}, '${namespace}')`); navBtns[1].setAttribute('onclick', `navCalendar('${calId}', ${nextYear}, ${nextMonth}, '${namespace}')`); // Rebuild calendar grid const tbody = container.querySelector('.calendar-compact-grid tbody'); const firstDay = new Date(year, month - 1, 1); const daysInMonth = new Date(year, month, 0).getDate(); const dayOfWeek = firstDay.getDay(); // Calculate month boundaries const monthStart = new Date(year, month - 1, 1); const monthEnd = new Date(year, month - 1, daysInMonth); // Build a map of all events with their date ranges const eventRanges = {}; for (const [dateKey, dayEvents] of Object.entries(events)) { // Defensive check: ensure dayEvents is an array if (!Array.isArray(dayEvents)) { console.error('dayEvents is not an array for dateKey:', dateKey, 'value:', dayEvents); continue; } // Only process events that could possibly overlap with this month/year const dateYear = parseInt(dateKey.split('-')[0]); const dateMonth = parseInt(dateKey.split('-')[1]); // Skip events from completely different years (unless they're very long multi-day events) if (Math.abs(dateYear - year) > 1) { continue; } for (const evt of dayEvents) { const startDate = dateKey; const endDate = evt.endDate || dateKey; // Check if event overlaps with current month const eventStart = new Date(startDate + 'T00:00:00'); const eventEnd = new Date(endDate + 'T00:00:00'); // Skip if event doesn't overlap with current month if (eventEnd < monthStart || eventStart > monthEnd) { continue; } // Create entry for each day the event spans const start = new Date(startDate + 'T00:00:00'); const end = new Date(endDate + 'T00:00:00'); const current = new Date(start); while (current <= end) { const currentKey = current.toISOString().split('T')[0]; // Check if this date is in current month const currentDate = new Date(currentKey + 'T00:00:00'); if (currentDate.getFullYear() === year && currentDate.getMonth() === month - 1) { if (!eventRanges[currentKey]) { eventRanges[currentKey] = []; } // Add event with span information const eventCopy = {...evt}; eventCopy._span_start = startDate; eventCopy._span_end = endDate; eventCopy._is_first_day = (currentKey === startDate); eventCopy._is_last_day = (currentKey === endDate); eventCopy._original_date = dateKey; // Check if event continues from previous month or to next month eventCopy._continues_from_prev = (eventStart < monthStart); eventCopy._continues_to_next = (eventEnd > monthEnd); eventRanges[currentKey].push(eventCopy); } current.setDate(current.getDate() + 1); } } } let html = ''; let currentDay = 1; const rowCount = Math.ceil((daysInMonth + dayOfWeek) / 7); for (let row = 0; row < rowCount; row++) { html += '
No events this month
'; } // Check for time conflicts events = checkTimeConflicts(events, null); let pastHtml = ''; let futureHtml = ''; let pastCount = 0; const sortedDates = Object.keys(events).sort(); const today = new Date(); today.setHours(0, 0, 0, 0); const todayStr = today.toISOString().split('T')[0]; // Helper function to check if event is past (with 15-minute grace period) const isEventPast = function(dateKey, time) { // If event is on a past date, it's definitely past if (dateKey < todayStr) { return true; } // If event is on a future date, it's definitely not past if (dateKey > todayStr) { return false; } // Event is today - check time with grace period if (time && time.trim() !== '') { try { const now = new Date(); const eventDateTime = new Date(dateKey + 'T' + time); // Add 15-minute grace period const gracePeriodEnd = new Date(eventDateTime.getTime() + 15 * 60 * 1000); // Event is past if current time > event time + 15 minutes return now > gracePeriodEnd; } catch (e) { // If time parsing fails, treat as future return false; } } // No time specified for today's event, treat as future return false; }; // Filter events to only current month if year/month provided const monthStart = year && month ? new Date(year, month - 1, 1) : null; const monthEnd = year && month ? new Date(year, month, 0, 23, 59, 59) : null; for (const dateKey of sortedDates) { // Skip events not in current month if filtering if (monthStart && monthEnd) { const eventDate = new Date(dateKey + 'T00:00:00'); if (eventDate < monthStart || eventDate > monthEnd) { continue; } } // Sort events within this day by time (all-day events at top) const dayEvents = events[dateKey]; dayEvents.sort((a, b) => { const timeA = a.time && a.time.trim() !== '' ? a.time : null; const timeB = b.time && b.time.trim() !== '' ? b.time : null; // All-day events (no time) go to the TOP if (timeA === null && timeB !== null) return -1; // A before B if (timeA !== null && timeB === null) return 1; // A after B if (timeA === null && timeB === null) return 0; // Both all-day, equal // Both have times, sort chronologically return timeA.localeCompare(timeB); }); for (const event of dayEvents) { const isTask = event.isTask || false; const completed = event.completed || false; // Use helper function to determine if event is past (with grace period) const isPast = isEventPast(dateKey, event.time); const isPastDue = isPast && isTask && !completed; // Determine if this goes in past section const isPastOrCompleted = (isPast && (!isTask || completed)) || completed; const eventHtml = renderEventItem(event, dateKey, calId, namespace); if (isPastOrCompleted) { pastCount++; pastHtml += eventHtml; } else { futureHtml += eventHtml; } } } let html = ''; // Add collapsible past events section if any exist if (pastCount > 0) { html += 'No events this month
'; } return html; }; // Show day popup with events when clicking a date window.showDayPopup = function(calId, date, namespace) { // Get events for this calendar const eventsDataEl = document.getElementById('events-data-' + calId); let events = {}; if (eventsDataEl) { try { events = JSON.parse(eventsDataEl.textContent); } catch (e) { console.error('Failed to parse events data:', e); } } const dayEvents = events[date] || []; // Check for conflicts on this day const dayEventsObj = {[date]: dayEvents}; const checkedEvents = checkTimeConflicts(dayEventsObj, null); const dayEventsWithConflicts = checkedEvents[date] || dayEvents; // Sort events: all-day at top, then chronological by time dayEventsWithConflicts.sort((a, b) => { const timeA = a.time && a.time.trim() !== '' ? a.time : null; const timeB = b.time && b.time.trim() !== '' ? b.time : null; // All-day events (no time) go to the TOP if (timeA === null && timeB !== null) return -1; // A before B if (timeA !== null && timeB === null) return 1; // A after B if (timeA === null && timeB === null) return 0; // Both all-day, equal // Both have times, sort chronologically return timeA.localeCompare(timeB); }); const dateObj = new Date(date + 'T00:00:00'); const displayDate = dateObj.toLocaleDateString('en-US', { weekday: 'long', month: 'long', day: 'numeric', year: 'numeric' }); // Create popup let popup = document.getElementById('day-popup-' + calId); if (!popup) { popup = document.createElement('div'); popup.id = 'day-popup-' + calId; popup.className = 'day-popup'; document.body.appendChild(popup); } let html = ''; html += 'No events on this day
'; } else { html += 'No events on this day
$1');
// Subscript: text
rendered = rendered.replace(/<sub>(.+?)<\/sub>/g, '$1');
// Superscript: text
rendered = rendered.replace(/<sup>(.+?)<\/sup>/g, '$1');
// Restore tokens (replace with actual HTML)
for (let i = 0; i < tokens.length; i++) {
const tokenPattern = new RegExp('\x00TOKEN' + i + '\x00', 'g');
rendered = rendered.replace(tokenPattern, tokens[i]);
}
return rendered;
}
// Open add event dialog
window.openAddEvent = function(calId, namespace, date) {
const dialog = document.getElementById('dialog-' + calId);
const form = document.getElementById('eventform-' + calId);
const title = document.getElementById('dialog-title-' + calId);
const dateField = document.getElementById('event-date-' + calId);
if (!dateField) {
console.error('Date field not found! ID: event-date-' + calId);
return;
}
// Check if there's a filtered namespace active (only for regular calendars)
const calendar = document.getElementById(calId);
const filteredNamespace = calendar ? calendar.dataset.filteredNamespace : null;
// Use filtered namespace if available, otherwise use the passed namespace
const effectiveNamespace = filteredNamespace || namespace;
// Reset form
form.reset();
document.getElementById('event-id-' + calId).value = '';
// Store the effective namespace in a hidden field or data attribute
form.dataset.effectiveNamespace = effectiveNamespace;
// Set namespace dropdown to effective namespace
const namespaceSelect = document.getElementById('event-namespace-' + calId);
if (namespaceSelect) {
if (effectiveNamespace && effectiveNamespace !== '*' && effectiveNamespace.indexOf(';') === -1) {
// Set to specific namespace if not wildcard or multi-namespace
namespaceSelect.value = effectiveNamespace;
} else {
// Default to empty (default namespace) for wildcard/multi views
namespaceSelect.value = '';
}
}
// Clear event namespace from previous edits
delete form.dataset.eventNamespace;
// Set date - use local date, not UTC
let defaultDate = date;
if (!defaultDate) {
// Get the currently displayed month from the calendar container
const container = document.getElementById(calId);
const displayedYear = parseInt(container.getAttribute('data-year'));
const displayedMonth = parseInt(container.getAttribute('data-month'));
if (displayedYear && displayedMonth) {
// Use first day of the displayed month
const year = displayedYear;
const month = String(displayedMonth).padStart(2, '0');
defaultDate = `${year}-${month}-01`;
} else {
// Fallback to today if attributes not found
const today = new Date();
const year = today.getFullYear();
const month = String(today.getMonth() + 1).padStart(2, '0');
const day = String(today.getDate()).padStart(2, '0');
defaultDate = `${year}-${month}-${day}`;
}
}
dateField.value = defaultDate;
dateField.removeAttribute('data-original-date');
// Also set the end date field to the same default (user can change it)
const endDateField = document.getElementById('event-end-date-' + calId);
if (endDateField) {
endDateField.value = ''; // Empty by default (single-day event)
// Set min attribute to help the date picker open on the right month
endDateField.setAttribute('min', defaultDate);
}
// Set default color
document.getElementById('event-color-' + calId).value = '#3498db';
// Initialize end time dropdown (disabled by default since no start time set)
const endTimeField = document.getElementById('event-end-time-' + calId);
if (endTimeField) {
endTimeField.disabled = true;
endTimeField.value = '';
}
// Initialize namespace search
initNamespaceSearch(calId);
// Set title
title.textContent = 'Add Event';
// Show dialog
dialog.style.display = 'flex';
// Focus title field
setTimeout(() => {
const titleField = document.getElementById('event-title-' + calId);
if (titleField) titleField.focus();
}, 100);
};
// Edit event
window.editEvent = function(calId, eventId, date, namespace) {
const params = new URLSearchParams({
call: 'plugin_calendar',
action: 'get_event',
namespace: namespace,
date: date,
eventId: eventId
});
fetch(DOKU_BASE + 'lib/exe/ajax.php', {
method: 'POST',
headers: {'Content-Type': 'application/x-www-form-urlencoded'},
body: params.toString()
})
.then(r => r.json())
.then(data => {
if (data.success && data.event) {
const event = data.event;
const dialog = document.getElementById('dialog-' + calId);
const title = document.getElementById('dialog-title-' + calId);
const dateField = document.getElementById('event-date-' + calId);
const form = document.getElementById('eventform-' + calId);
if (!dateField) {
console.error('Date field not found when editing!');
return;
}
// Store the event's actual namespace for saving (important for namespace=* views)
if (event.namespace !== undefined) {
form.dataset.eventNamespace = event.namespace;
}
// Populate form
document.getElementById('event-id-' + calId).value = event.id;
dateField.value = date;
dateField.setAttribute('data-original-date', date);
const endDateField = document.getElementById('event-end-date-' + calId);
endDateField.value = event.endDate || '';
// Set min attribute to help date picker open on the start date's month
endDateField.setAttribute('min', date);
document.getElementById('event-title-' + calId).value = event.title;
document.getElementById('event-time-' + calId).value = event.time || '';
document.getElementById('event-end-time-' + calId).value = event.endTime || '';
document.getElementById('event-color-' + calId).value = event.color || '#3498db';
document.getElementById('event-desc-' + calId).value = event.description || '';
document.getElementById('event-is-task-' + calId).checked = event.isTask || false;
// Update end time options based on start time
if (event.time) {
updateEndTimeOptions(calId);
}
// Initialize namespace search
initNamespaceSearch(calId);
// Set namespace fields if available
const namespaceHidden = document.getElementById('event-namespace-' + calId);
const namespaceSearch = document.getElementById('event-namespace-search-' + calId);
if (namespaceHidden && event.namespace !== undefined) {
namespaceHidden.value = event.namespace;
if (namespaceSearch) {
namespaceSearch.value = event.namespace || '(default)';
}
}
title.textContent = 'Edit Event';
dialog.style.display = 'flex';
}
})
.catch(err => console.error('Error editing event:', err));
};
// Delete event
window.deleteEvent = function(calId, eventId, date, namespace) {
if (!confirm('Delete this event?')) return;
const params = new URLSearchParams({
call: 'plugin_calendar',
action: 'delete_event',
namespace: namespace,
date: date,
eventId: eventId
});
fetch(DOKU_BASE + 'lib/exe/ajax.php', {
method: 'POST',
headers: {'Content-Type': 'application/x-www-form-urlencoded'},
body: params.toString()
})
.then(r => r.json())
.then(data => {
if (data.success) {
// Extract year and month from date
const [year, month] = date.split('-').map(Number);
// Reload calendar data via AJAX
reloadCalendarData(calId, year, month, namespace);
}
})
.catch(err => console.error('Error:', err));
};
// Save event (add or edit)
window.saveEventCompact = function(calId, namespace) {
const form = document.getElementById('eventform-' + calId);
// Get namespace from dropdown - this is what the user selected
const namespaceSelect = document.getElementById('event-namespace-' + calId);
const selectedNamespace = namespaceSelect ? namespaceSelect.value : '';
// ALWAYS use what the user selected in the dropdown
// This allows changing namespace when editing
const finalNamespace = selectedNamespace;
const eventId = document.getElementById('event-id-' + calId).value;
// eventNamespace is the ORIGINAL namespace (only used for finding/deleting old event)
const originalNamespace = form.dataset.eventNamespace;
const dateInput = document.getElementById('event-date-' + calId);
const date = dateInput.value;
const oldDate = dateInput.getAttribute('data-original-date') || date;
const endDate = document.getElementById('event-end-date-' + calId).value;
const title = document.getElementById('event-title-' + calId).value;
const time = document.getElementById('event-time-' + calId).value;
const endTime = document.getElementById('event-end-time-' + calId).value;
const colorSelect = document.getElementById('event-color-' + calId);
let color = colorSelect.value;
// Handle custom color
if (color === 'custom') {
color = colorSelect.dataset.customColor || document.getElementById('event-color-custom-' + calId).value;
}
const description = document.getElementById('event-desc-' + calId).value;
const isTask = document.getElementById('event-is-task-' + calId).checked;
const completed = false; // New tasks are not completed
const isRecurring = document.getElementById('event-recurring-' + calId).checked;
const recurrenceType = document.getElementById('event-recurrence-type-' + calId).value;
const recurrenceEnd = document.getElementById('event-recurrence-end-' + calId).value;
if (!title) {
alert('Please enter a title');
return;
}
if (!date) {
alert('Please select a date');
return;
}
const params = new URLSearchParams({
call: 'plugin_calendar',
action: 'save_event',
namespace: finalNamespace,
eventId: eventId,
date: date,
oldDate: oldDate,
endDate: endDate,
title: title,
time: time,
endTime: endTime,
color: color,
description: description,
isTask: isTask ? '1' : '0',
completed: completed ? '1' : '0',
isRecurring: isRecurring ? '1' : '0',
recurrenceType: recurrenceType,
recurrenceEnd: recurrenceEnd
});
fetch(DOKU_BASE + 'lib/exe/ajax.php', {
method: 'POST',
headers: {'Content-Type': 'application/x-www-form-urlencoded'},
body: params.toString()
})
.then(r => r.json())
.then(data => {
if (data.success) {
closeEventDialog(calId);
// For recurring events, do a full page reload to show all occurrences
if (isRecurring) {
location.reload();
return;
}
// Extract year and month from the NEW date (in case date was changed)
const [year, month] = date.split('-').map(Number);
// Reload calendar data via AJAX to the month of the event
reloadCalendarData(calId, year, month, namespace);
} else {
alert('Error: ' + (data.error || 'Unknown error'));
}
})
.catch(err => {
console.error('Error:', err);
alert('Error saving event');
});
};
// Reload calendar data without page refresh
window.reloadCalendarData = function(calId, year, month, namespace) {
const params = new URLSearchParams({
call: 'plugin_calendar',
action: 'load_month',
year: year,
month: month,
namespace: namespace,
_: new Date().getTime() // Cache buster
});
fetch(DOKU_BASE + 'lib/exe/ajax.php', {
method: 'POST',
headers: {
'Content-Type': 'application/x-www-form-urlencoded',
'Cache-Control': 'no-cache, no-store, must-revalidate',
'Pragma': 'no-cache'
},
body: params.toString()
})
.then(r => r.json())
.then(data => {
if (data.success) {
const container = document.getElementById(calId);
// Check if this is a full calendar or just event panel
if (container.classList.contains('calendar-compact-container')) {
rebuildCalendar(calId, data.year, data.month, data.events, namespace);
} else if (container.classList.contains('event-panel-standalone')) {
rebuildEventPanel(calId, data.year, data.month, data.events, namespace);
}
}
})
.catch(err => console.error('Error:', err));
};
// Close event dialog
window.closeEventDialog = function(calId) {
const dialog = document.getElementById('dialog-' + calId);
dialog.style.display = 'none';
};
// Escape HTML
window.escapeHtml = function(text) {
const div = document.createElement('div');
div.textContent = text;
return div.innerHTML;
};
// Highlight event when clicking on bar in calendar
window.highlightEvent = function(calId, eventId, date) {
// Find the event item in the event list
const eventList = document.querySelector('#' + calId + ' .event-list-compact');
if (!eventList) return;
const eventItem = eventList.querySelector('[data-event-id="' + eventId + '"][data-date="' + date + '"]');
if (!eventItem) return;
// Remove previous highlights
const previousHighlights = eventList.querySelectorAll('.event-highlighted');
previousHighlights.forEach(el => el.classList.remove('event-highlighted'));
// Add highlight
eventItem.classList.add('event-highlighted');
// Scroll to event
eventItem.scrollIntoView({
behavior: 'smooth',
block: 'nearest',
inline: 'nearest'
});
// Remove highlight after 3 seconds
setTimeout(() => {
eventItem.classList.remove('event-highlighted');
}, 3000);
};
// Toggle recurring event options
window.toggleRecurringOptions = function(calId) {
const checkbox = document.getElementById('event-recurring-' + calId);
const options = document.getElementById('recurring-options-' + calId);
if (checkbox && options) {
options.style.display = checkbox.checked ? 'block' : 'none';
}
};
// Close dialog on escape key
document.addEventListener('keydown', function(e) {
if (e.key === 'Escape') {
const dialogs = document.querySelectorAll('.event-dialog-compact');
dialogs.forEach(dialog => {
if (dialog.style.display === 'flex') {
dialog.style.display = 'none';
}
});
}
});
// Event panel navigation
window.navEventPanel = function(calId, year, month, namespace) {
const params = new URLSearchParams({
call: 'plugin_calendar',
action: 'load_month',
year: year,
month: month,
namespace: namespace,
_: new Date().getTime() // Cache buster
});
fetch(DOKU_BASE + 'lib/exe/ajax.php', {
method: 'POST',
headers: {
'Content-Type': 'application/x-www-form-urlencoded',
'Cache-Control': 'no-cache, no-store, must-revalidate',
'Pragma': 'no-cache'
},
body: params.toString()
})
.then(r => r.json())
.then(data => {
if (data.success) {
rebuildEventPanel(calId, data.year, data.month, data.events, namespace);
}
})
.catch(err => console.error('Error:', err));
};
// Rebuild event panel only
window.rebuildEventPanel = function(calId, year, month, events, namespace) {
const container = document.getElementById(calId);
const monthNames = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun',
'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'];
// Update month title in new compact header
const monthTitle = container.querySelector('.panel-month-title');
if (monthTitle) {
monthTitle.textContent = monthNames[month - 1] + ' ' + year;
monthTitle.setAttribute('onclick', `openMonthPickerPanel('${calId}', ${year}, ${month}, '${namespace}')`);
monthTitle.setAttribute('title', 'Click to jump to month');
}
// Fallback: Update old header format if exists
const oldHeader = container.querySelector('.panel-standalone-header h3, .calendar-month-picker');
if (oldHeader && !monthTitle) {
oldHeader.textContent = monthNames[month - 1] + ' ' + year + ' Events';
oldHeader.setAttribute('onclick', `openMonthPickerPanel('${calId}', ${year}, ${month}, '${namespace}')`);
}
// Update nav buttons
let prevMonth = month - 1;
let prevYear = year;
if (prevMonth < 1) {
prevMonth = 12;
prevYear--;
}
let nextMonth = month + 1;
let nextYear = year;
if (nextMonth > 12) {
nextMonth = 1;
nextYear++;
}
// Update new compact nav buttons
const navBtns = container.querySelectorAll('.panel-nav-btn');
if (navBtns[0]) navBtns[0].setAttribute('onclick', `navEventPanel('${calId}', ${prevYear}, ${prevMonth}, '${namespace}')`);
if (navBtns[1]) navBtns[1].setAttribute('onclick', `navEventPanel('${calId}', ${nextYear}, ${nextMonth}, '${namespace}')`);
// Fallback for old nav buttons
const oldNavBtns = container.querySelectorAll('.cal-nav-btn');
if (oldNavBtns.length > 0 && navBtns.length === 0) {
if (oldNavBtns[0]) oldNavBtns[0].setAttribute('onclick', `navEventPanel('${calId}', ${prevYear}, ${prevMonth}, '${namespace}')`);
if (oldNavBtns[1]) oldNavBtns[1].setAttribute('onclick', `navEventPanel('${calId}', ${nextYear}, ${nextMonth}, '${namespace}')`);
}
// Update Today button (works for both old and new)
const todayBtn = container.querySelector('.panel-today-btn, .cal-today-btn, .cal-today-btn-compact');
if (todayBtn) {
todayBtn.setAttribute('onclick', `jumpTodayPanel('${calId}', '${namespace}')`);
}
// Rebuild event list
const eventList = container.querySelector('.event-list-compact');
if (eventList) {
eventList.innerHTML = renderEventListFromData(events, calId, namespace, year, month);
}
};
// Open add event for panel
window.openAddEventPanel = function(calId, namespace) {
const today = new Date();
const year = today.getFullYear();
const month = String(today.getMonth() + 1).padStart(2, '0');
const day = String(today.getDate()).padStart(2, '0');
const localDate = `${year}-${month}-${day}`;
openAddEvent(calId, namespace, localDate);
};
// Toggle task completion
window.toggleTaskComplete = function(calId, eventId, date, namespace, completed) {
const params = new URLSearchParams({
call: 'plugin_calendar',
action: 'toggle_task',
namespace: namespace,
date: date,
eventId: eventId,
completed: completed ? '1' : '0'
});
fetch(DOKU_BASE + 'lib/exe/ajax.php', {
method: 'POST',
headers: {'Content-Type': 'application/x-www-form-urlencoded'},
body: params.toString()
})
.then(r => r.json())
.then(data => {
if (data.success) {
const [year, month] = date.split('-').map(Number);
reloadCalendarData(calId, year, month, namespace);
}
})
.catch(err => console.error('Error toggling task:', err));
};
// Make dialog draggable
window.makeDialogDraggable = function(calId) {
const dialog = document.getElementById('dialog-content-' + calId);
const handle = document.getElementById('drag-handle-' + calId);
if (!dialog || !handle) return;
let isDragging = false;
let currentX;
let currentY;
let initialX;
let initialY;
let xOffset = 0;
let yOffset = 0;
handle.addEventListener('mousedown', dragStart);
document.addEventListener('mousemove', drag);
document.addEventListener('mouseup', dragEnd);
function dragStart(e) {
initialX = e.clientX - xOffset;
initialY = e.clientY - yOffset;
isDragging = true;
}
function drag(e) {
if (isDragging) {
e.preventDefault();
currentX = e.clientX - initialX;
currentY = e.clientY - initialY;
xOffset = currentX;
yOffset = currentY;
setTranslate(currentX, currentY, dialog);
}
}
function dragEnd(e) {
initialX = currentX;
initialY = currentY;
isDragging = false;
}
function setTranslate(xPos, yPos, el) {
el.style.transform = `translate(${xPos}px, ${yPos}px)`;
}
};
// Initialize dialog draggability when opened (avoid duplicate declaration)
if (!window.calendarDraggabilityPatched) {
window.calendarDraggabilityPatched = true;
const originalOpenAddEvent = openAddEvent;
openAddEvent = function(calId, namespace, date) {
originalOpenAddEvent(calId, namespace, date);
setTimeout(() => makeDialogDraggable(calId), 100);
};
const originalEditEvent = editEvent;
editEvent = function(calId, eventId, date, namespace) {
originalEditEvent(calId, eventId, date, namespace);
setTimeout(() => makeDialogDraggable(calId), 100);
};
}
// Toggle expand/collapse for past events
window.togglePastEventExpand = function(element) {
// Stop propagation to prevent any parent click handlers
event.stopPropagation();
const meta = element.querySelector(".event-meta-compact");
const desc = element.querySelector(".event-desc-compact");
// Toggle visibility
if (meta.style.display === "none") {
// Expand
meta.style.display = "block";
if (desc) desc.style.display = "block";
element.classList.add("event-past-expanded");
} else {
// Collapse
meta.style.display = "none";
if (desc) desc.style.display = "none";
element.classList.remove("event-past-expanded");
}
};
// Filter calendar by namespace when clicking namespace badge
document.addEventListener('click', function(e) {
if (e.target.classList.contains('event-namespace-badge')) {
const namespace = e.target.textContent;
const eventItem = e.target.closest('.event-compact-item');
const eventList = e.target.closest('.event-list-compact');
const calendar = e.target.closest('.calendar-compact-container');
if (!eventList || !calendar) return;
const calId = calendar.id;
// Check if already filtered
const isFiltered = eventList.classList.contains('namespace-filtered');
if (isFiltered && eventList.dataset.filterNamespace === namespace) {
// Unfilter - show all
eventList.classList.remove('namespace-filtered');
delete eventList.dataset.filterNamespace;
delete calendar.dataset.filteredNamespace;
eventList.querySelectorAll('.event-compact-item').forEach(item => {
item.style.display = '';
});
// Update header to show "all namespaces"
updateFilteredNamespaceDisplay(calId, null);
} else {
// Filter by this namespace
eventList.classList.add('namespace-filtered');
eventList.dataset.filterNamespace = namespace;
calendar.dataset.filteredNamespace = namespace;
eventList.querySelectorAll('.event-compact-item').forEach(item => {
const itemBadge = item.querySelector('.event-namespace-badge');
if (itemBadge && itemBadge.textContent === namespace) {
item.style.display = '';
} else {
item.style.display = 'none';
}
});
// Update header to show filtered namespace
updateFilteredNamespaceDisplay(calId, namespace);
}
}
});
// Update the displayed filtered namespace in event list header
window.updateFilteredNamespaceDisplay = function(calId, namespace) {
const calendar = document.getElementById(calId);
if (!calendar) return;
const headerContent = calendar.querySelector('.event-list-header-content');
if (!headerContent) return;
// Remove existing filter badge
let filterBadge = headerContent.querySelector('.namespace-filter-badge');
if (filterBadge) {
filterBadge.remove();
}
// Add new filter badge if filtering
if (namespace) {
filterBadge = document.createElement('span');
filterBadge.className = 'namespace-badge namespace-filter-badge';
filterBadge.innerHTML = escapeHtml(namespace) + ' ';
headerContent.appendChild(filterBadge);
}
};
// Clear namespace filter
window.clearNamespaceFilter = function(calId) {
const container = document.getElementById(calId);
if (!container) {
console.error('Calendar container not found:', calId);
return;
}
// Get current year and month
const year = parseInt(container.dataset.year) || new Date().getFullYear();
const month = parseInt(container.dataset.month) || (new Date().getMonth() + 1);
// Get original namespace (what the calendar was initialized with)
const originalNamespace = container.dataset.originalNamespace || '';
// Reload calendar with original namespace
navCalendar(calId, year, month, originalNamespace);
};
window.clearNamespaceFilterPanel = function(calId) {
const container = document.getElementById(calId);
if (!container) {
console.error('Event panel container not found:', calId);
return;
}
// Get current year and month from URL params or container
const year = parseInt(container.dataset.year) || new Date().getFullYear();
const month = parseInt(container.dataset.month) || (new Date().getMonth() + 1);
// Get original namespace (what the panel was initialized with)
const originalNamespace = container.dataset.originalNamespace || '';
// Reload event panel with original namespace
navEventPanel(calId, year, month, originalNamespace);
};
// Color picker functions
window.updateCustomColorPicker = function(calId) {
const select = document.getElementById('event-color-' + calId);
const picker = document.getElementById('event-color-custom-' + calId);
if (select.value === 'custom') {
// Show color picker
picker.style.display = 'inline-block';
picker.click(); // Open color picker
} else {
// Hide color picker and sync value
picker.style.display = 'none';
picker.value = select.value;
}
};
function updateColorFromPicker(calId) {
const select = document.getElementById('event-color-' + calId);
const picker = document.getElementById('event-color-custom-' + calId);
// Set select to custom and update its underlying value
select.value = 'custom';
// Store the actual color value in a data attribute
select.dataset.customColor = picker.value;
}
// Toggle past events visibility
window.togglePastEvents = function(calId) {
const content = document.getElementById('past-events-' + calId);
const arrow = document.getElementById('past-arrow-' + calId);
if (!content || !arrow) {
console.error('Past events elements not found for:', calId);
return;
}
// Check computed style instead of inline style
const isHidden = window.getComputedStyle(content).display === 'none';
if (isHidden) {
content.style.display = 'block';
arrow.textContent = '▼';
} else {
content.style.display = 'none';
arrow.textContent = '▶';
}
};
// Fuzzy match scoring function
window.fuzzyMatch = function(pattern, str) {
pattern = pattern.toLowerCase();
str = str.toLowerCase();
let patternIdx = 0;
let score = 0;
let consecutiveMatches = 0;
for (let i = 0; i < str.length; i++) {
if (patternIdx < pattern.length && str[i] === pattern[patternIdx]) {
score += 1 + consecutiveMatches;
consecutiveMatches++;
patternIdx++;
} else {
consecutiveMatches = 0;
}
}
// Return null if not all characters matched
if (patternIdx !== pattern.length) {
return null;
}
// Bonus for exact match
if (str === pattern) {
score += 100;
}
// Bonus for starts with
if (str.startsWith(pattern)) {
score += 50;
}
return score;
};
// Initialize namespace search for a calendar
window.initNamespaceSearch = function(calId) {
const searchInput = document.getElementById('event-namespace-search-' + calId);
const hiddenInput = document.getElementById('event-namespace-' + calId);
const dropdown = document.getElementById('event-namespace-dropdown-' + calId);
const dataElement = document.getElementById('namespaces-data-' + calId);
if (!searchInput || !hiddenInput || !dropdown || !dataElement) {
return; // Elements not found
}
let namespaces = [];
try {
namespaces = JSON.parse(dataElement.textContent);
} catch (e) {
console.error('Failed to parse namespaces data:', e);
return;
}
let selectedIndex = -1;
// Filter and show dropdown
function filterNamespaces(query) {
if (!query || query.trim() === '') {
// Show all namespaces when empty
hiddenInput.value = '';
const results = namespaces.slice(0, 20); // Limit to 20
showDropdown(results);
return;
}
// Fuzzy match and score
const matches = [];
for (let i = 0; i < namespaces.length; i++) {
const score = fuzzyMatch(query, namespaces[i]);
if (score !== null) {
matches.push({ namespace: namespaces[i], score: score });
}
}
// Sort by score (descending)
matches.sort((a, b) => b.score - a.score);
// Take top 20 results
const results = matches.slice(0, 20).map(m => m.namespace);
showDropdown(results);
}
function showDropdown(results) {
dropdown.innerHTML = '';
selectedIndex = -1;
if (results.length === 0) {
dropdown.style.display = 'none';
return;
}
// Add (default) option
const defaultOption = document.createElement('div');
defaultOption.className = 'namespace-option';
defaultOption.textContent = '(default)';
defaultOption.dataset.value = '';
dropdown.appendChild(defaultOption);
results.forEach(ns => {
const option = document.createElement('div');
option.className = 'namespace-option';
option.textContent = ns;
option.dataset.value = ns;
dropdown.appendChild(option);
});
dropdown.style.display = 'block';
}
function hideDropdown() {
dropdown.style.display = 'none';
selectedIndex = -1;
}
function selectOption(namespace) {
hiddenInput.value = namespace;
searchInput.value = namespace || '(default)';
hideDropdown();
}
// Event listeners
searchInput.addEventListener('input', function(e) {
filterNamespaces(e.target.value);
});
searchInput.addEventListener('focus', function(e) {
filterNamespaces(e.target.value);
});
searchInput.addEventListener('blur', function(e) {
// Delay to allow click on dropdown
setTimeout(hideDropdown, 200);
});
searchInput.addEventListener('keydown', function(e) {
const options = dropdown.querySelectorAll('.namespace-option');
if (e.key === 'ArrowDown') {
e.preventDefault();
selectedIndex = Math.min(selectedIndex + 1, options.length - 1);
updateSelection(options);
} else if (e.key === 'ArrowUp') {
e.preventDefault();
selectedIndex = Math.max(selectedIndex - 1, -1);
updateSelection(options);
} else if (e.key === 'Enter') {
e.preventDefault();
if (selectedIndex >= 0 && options[selectedIndex]) {
selectOption(options[selectedIndex].dataset.value);
}
} else if (e.key === 'Escape') {
hideDropdown();
}
});
function updateSelection(options) {
options.forEach((opt, idx) => {
if (idx === selectedIndex) {
opt.classList.add('selected');
opt.scrollIntoView({ block: 'nearest' });
} else {
opt.classList.remove('selected');
}
});
}
// Click on dropdown option
dropdown.addEventListener('mousedown', function(e) {
if (e.target.classList.contains('namespace-option')) {
selectOption(e.target.dataset.value);
}
});
};
// Update end time options based on start time selection
window.updateEndTimeOptions = function(calId) {
const startTimeSelect = document.getElementById('event-time-' + calId);
const endTimeSelect = document.getElementById('event-end-time-' + calId);
if (!startTimeSelect || !endTimeSelect) return;
const startTime = startTimeSelect.value;
// If start time is empty (all day), disable end time
if (!startTime) {
endTimeSelect.disabled = true;
endTimeSelect.value = '';
return;
}
// Enable end time select
endTimeSelect.disabled = false;
// Convert start time to minutes
const startMinutes = timeToMinutes(startTime);
// Get current end time value (to preserve if valid)
const currentEndTime = endTimeSelect.value;
const currentEndMinutes = currentEndTime ? timeToMinutes(currentEndTime) : 0;
// Filter options - show only times after start time
const options = endTimeSelect.options;
let firstValidOption = null;
let currentStillValid = false;
for (let i = 0; i < options.length; i++) {
const option = options[i];
const optionValue = option.value;
if (optionValue === '') {
// Keep "Same as start" option visible
option.style.display = '';
continue;
}
const optionMinutes = timeToMinutes(optionValue);
if (optionMinutes > startMinutes) {
// Show options after start time
option.style.display = '';
if (!firstValidOption) {
firstValidOption = optionValue;
}
if (optionValue === currentEndTime) {
currentStillValid = true;
}
} else {
// Hide options before or equal to start time
option.style.display = 'none';
}
}
// If current end time is now invalid, set a new one
if (!currentStillValid || currentEndMinutes <= startMinutes) {
// Try to set to 1 hour after start
const [startHour, startMinute] = startTime.split(':').map(Number);
let endHour = startHour + 1;
let endMinute = startMinute;
if (endHour >= 24) {
endHour = 23;
endMinute = 45;
}
const suggestedEndTime = String(endHour).padStart(2, '0') + ':' + String(endMinute).padStart(2, '0');
// Check if suggested time is in the list
const suggestedExists = Array.from(options).some(opt => opt.value === suggestedEndTime);
if (suggestedExists) {
endTimeSelect.value = suggestedEndTime;
} else if (firstValidOption) {
// Use first valid option
endTimeSelect.value = firstValidOption;
} else {
// No valid options (shouldn't happen, but just in case)
endTimeSelect.value = '';
}
}
};
// Check for time conflicts between events on the same date
window.checkTimeConflicts = function(events, currentEventId) {
const conflicts = [];
// Group events by date
const eventsByDate = {};
for (const [date, dateEvents] of Object.entries(events)) {
if (!Array.isArray(dateEvents)) continue;
dateEvents.forEach(evt => {
if (!evt.time || evt.id === currentEventId) return; // Skip all-day events and current event
if (!eventsByDate[date]) eventsByDate[date] = [];
eventsByDate[date].push(evt);
});
}
// Check for overlaps on each date
for (const [date, dateEvents] of Object.entries(eventsByDate)) {
for (let i = 0; i < dateEvents.length; i++) {
for (let j = i + 1; j < dateEvents.length; j++) {
const evt1 = dateEvents[i];
const evt2 = dateEvents[j];
if (eventsOverlap(evt1, evt2)) {
// Mark both events as conflicting
if (!evt1.hasConflict) evt1.hasConflict = true;
if (!evt2.hasConflict) evt2.hasConflict = true;
// Store conflict info
if (!evt1.conflictsWith) evt1.conflictsWith = [];
if (!evt2.conflictsWith) evt2.conflictsWith = [];
evt1.conflictsWith.push({id: evt2.id, title: evt2.title, time: evt2.time, endTime: evt2.endTime});
evt2.conflictsWith.push({id: evt1.id, title: evt1.title, time: evt1.time, endTime: evt1.endTime});
}
}
}
}
return events;
};
// Check if two events overlap in time
function eventsOverlap(evt1, evt2) {
if (!evt1.time || !evt2.time) return false; // All-day events don't conflict
const start1 = evt1.time;
const end1 = evt1.endTime || evt1.time; // If no end time, treat as same as start
const start2 = evt2.time;
const end2 = evt2.endTime || evt2.time;
// Convert to minutes for easier comparison
const start1Mins = timeToMinutes(start1);
const end1Mins = timeToMinutes(end1);
const start2Mins = timeToMinutes(start2);
const end2Mins = timeToMinutes(end2);
// Check for overlap
// Events overlap if: start1 < end2 AND start2 < end1
return start1Mins < end2Mins && start2Mins < end1Mins;
}
// Convert HH:MM time to minutes since midnight
function timeToMinutes(timeStr) {
const [hours, minutes] = timeStr.split(':').map(Number);
return hours * 60 + minutes;
}
// Format time range for display
window.formatTimeRange = function(startTime, endTime) {
if (!startTime) return '';
const formatTime = (timeStr) => {
const [hour24, minute] = timeStr.split(':').map(Number);
const hour12 = hour24 === 0 ? 12 : (hour24 > 12 ? hour24 - 12 : hour24);
const ampm = hour24 < 12 ? 'AM' : 'PM';
return hour12 + ':' + String(minute).padStart(2, '0') + ' ' + ampm;
};
if (!endTime || endTime === startTime) {
return formatTime(startTime);
}
return formatTime(startTime) + ' - ' + formatTime(endTime);
};
// Show custom conflict tooltip
window.showConflictTooltip = function(badgeElement) {
// Remove any existing tooltip
hideConflictTooltip();
// Get conflict data
const conflictsJson = badgeElement.getAttribute('data-conflicts');
if (!conflictsJson) return;
let conflicts;
try {
conflicts = JSON.parse(conflictsJson);
} catch (e) {
console.error('Failed to parse conflicts:', e);
return;
}
// Create tooltip
const tooltip = document.createElement('div');
tooltip.id = 'conflict-tooltip';
tooltip.className = 'conflict-tooltip';
// Build content
let html = '