Files
silverbullet-icalendar/icalendar.ts
sstent 606fca25a8
All checks were successful
Build SilverBullet Plug / build (push) Successful in 24s
Chore: Add debug logging and iterate to 0.3.22
2026-02-18 09:58:22 -08:00

161 lines
5.8 KiB
TypeScript

import { clientStore, config, datastore, editor, index } from "@silverbulletmd/silverbullet/syscalls";
import { convertIcsCalendar } from "https://esm.sh/ts-ics@2.4.0";
const VERSION = "0.3.22";
const CACHE_KEY = "icalendar:lastSync";
console.log(`[iCalendar] Plug script executing at top level (Version ${VERSION})`);
const TIMEZONE_OFFSETS: Record<string, number> = {
"GMT Standard Time": 0,
"W. Europe Standard Time": 1,
"Central Europe Standard Time": 1,
"Romance Standard Time": 1,
"Central European Standard Time": 1,
"Eastern Standard Time": -5,
"Central Standard Time": -6,
"Mountain Standard Time": -7,
"Pacific Standard Time": -8,
"UTC": 0,
"None": 0
};
async function getSources(): Promise<{ sources: any[], tzShift: number }> {
try {
const rawConfig = await config.get("icalendar", { sources: [] });
console.log("[iCalendar] Raw config retrieved:", JSON.stringify(rawConfig));
let sources = rawConfig.sources || [];
let tzShift = rawConfig.tzShift || 0;
// Handle common Space Lua structure where tzShift might be inside the sources table
if (sources && typeof sources === "object" && !Array.isArray(sources)) {
if (sources.tzShift !== undefined && tzShift === 0) {
tzShift = sources.tzShift;
console.log("[iCalendar] Found tzShift inside sources object:", tzShift);
}
// Convert map-like sources to array
const sourceArray = [];
for (const key in sources) {
if (sources[key] && typeof sources[key].url === "string") {
sourceArray.push(sources[key]);
}
}
sources = sourceArray;
}
console.log(`[iCalendar] Final Sources: ${sources.length}, tzShift: ${tzShift}`);
return { sources, tzShift };
} catch (e) {
console.error("[iCalendar] Error in getSources:", e);
return { sources: [], tzShift: 0 };
}
}
async function fetchAndParseCalendar(source: any, hourShift = 0): Promise<any[]> {
console.log(`[iCalendar] Fetching from: ${source.url}`);
try {
const response = await fetch(source.url);
if (!response.ok) {
console.error(`[iCalendar] Fetch failed for ${source.name}: ${response.status} ${response.statusText}`);
return [];
}
const text = await response.text();
console.log(`[iCalendar] Received ICS data (${text.length} chars) from ${source.name}`);
// Log a snippet of the ICS to verify content
console.log(`[iCalendar] ICS snippet: ${text.substring(0, 200).replace(/\n/g, "\\n")}`);
const calendar = convertIcsCalendar(undefined, text);
if (!calendar || !calendar.events) {
console.warn(`[iCalendar] No events found in ICS from ${source.name} using ts-ics`);
return [];
}
console.log(`[iCalendar] ts-ics found ${calendar.events.length} events in ${source.name}`);
const events: any[] = [];
for (const icsEvent of calendar.events) {
const obj = icsEvent.start;
if (!obj) {
console.warn("[iCalendar] Event has no start object:", icsEvent.summary);
continue;
}
let wallTimeStr = "";
if (obj.local && typeof obj.local.date === "string") wallTimeStr = obj.local.date;
else if (typeof obj.date === "string") wallTimeStr = obj.date;
if (!wallTimeStr) {
console.warn("[iCalendar] Skipping event with no start date string:", icsEvent.summary, "Start object structure:", JSON.stringify(obj));
continue;
}
const baseDate = new Date(wallTimeStr.replace("Z", "") + "Z");
const tzName = obj.local?.timezone || obj.timezone || "UTC";
const sourceOffset = TIMEZONE_OFFSETS[tzName] ?? 0;
const utcMillis = baseDate.getTime() - (sourceOffset * 3600000);
const finalDate = new Date(utcMillis + (hourShift * 3600000));
const pad = (n: number) => String(n).padStart(2, "0");
const localIso = finalDate.getFullYear() + "-" + pad(finalDate.getMonth() + 1) + "-" + pad(finalDate.getDate()) + "T" + pad(finalDate.getHours()) + ":" + pad(finalDate.getMinutes()) + ":" + pad(finalDate.getSeconds());
events.push({
...icsEvent,
start: localIso,
tag: "ical-event",
sourceName: source.name
});
}
return events;
} catch (err) {
console.error(`[iCalendar] Error fetching/parsing ${source.name}:`, err);
return [];
}
}
export async function syncCalendars() {
console.log("[iCalendar] syncCalendars() started");
try {
const { sources, tzShift } = await getSources();
if (sources.length === 0) {
console.log("[iCalendar] No sources to sync");
return;
}
await editor.flashNotification("Syncing calendars...", "info");
const allEvents: any[] = [];
for (const source of sources) {
const events = await fetchAndParseCalendar(source, tzShift);
allEvents.push(...events);
}
console.log(`[iCalendar] Total events to index: ${allEvents.length}`);
await index.indexObjects("$icalendar", allEvents);
await editor.flashNotification(`Synced ${allEvents.length} events`, "info");
} catch (err) {
console.error("[iCalendar] syncCalendars failed:", err);
}
}
export async function forceSync() {
console.log("[iCalendar] forceSync() triggered");
await clientStore.del(CACHE_KEY);
await syncCalendars();
}
export async function clearCache() {
if (!await editor.confirm("Clear all calendar events?")) return;
const pageKeys = await datastore.query({ prefix: ["ridx", "$icalendar"] });
const allKeys: any[] = [];
for (const { key } of pageKeys) {
allKeys.push(key);
allKeys.push(["idx", ...key.slice(2), "$icalendar"]);
}
if (allKeys.length > 0) await datastore.batchDel(allKeys);
await clientStore.del(CACHE_KEY);
await editor.flashNotification("Calendar index cleared", "info");
}
export async function showVersion() {
await editor.flashNotification(`iCalendar Plug ${VERSION}`, "info");
}