1
0
Fork 0
CalMerger/server.js

291 lines
10 KiB
JavaScript
Raw Normal View History

2024-09-30 12:55:03 +00:00
import express from 'express';
import ical from 'ical';
import fs from 'fs';
import axios from 'axios';
2024-10-24 12:02:01 +00:00
import path from 'path';
2024-10-28 17:52:07 +00:00
import icalGenerator from 'ical-generator';
2024-09-30 12:55:03 +00:00
const app = express();
app.use(express.json());
const MERGED_CALENDARS_DIR = 'calendar';
// Ensure the merged calendars directory exists
if (!fs.existsSync(MERGED_CALENDARS_DIR)) {
fs.mkdirSync(MERGED_CALENDARS_DIR);
}
2024-09-30 12:55:03 +00:00
2024-10-19 15:32:43 +00:00
app.get('/script.js', (req, res) => {
res.setHeader('Content-Type', 'application/javascript');
res.sendFile('script.js', { root: '.' });
});
2024-09-30 12:55:03 +00:00
app.get('/', (req, res) => {
res.sendFile('index.html', { root: '.' });
});
// Function to sanitize the linkGroupName for use as a filename
function sanitizeFilename(filename) {
return filename.replace(/[<>:"/\\|?*]/g, '_'); // Replace invalid characters with underscores
}
2024-10-28 11:54:33 +00:00
// Merge calendars endpoint
2024-09-30 12:55:03 +00:00
app.post('/merge', async (req, res) => {
const { linkGroupName, calendars } = req.body;
2024-09-30 12:55:03 +00:00
try {
// Validate the input
if (!linkGroupName || !calendars || !Array.isArray(calendars) || calendars.length === 0) {
return res.status(400).json({ error: 'Invalid input. Please provide a linkGroupName and at least one calendar.' });
2024-10-01 23:06:52 +00:00
}
// Sanitize the linkGroupName to create a valid filename
const sanitizedLinkGroupName = sanitizeFilename(linkGroupName);
const filename = `${sanitizedLinkGroupName}.ics`;
2024-09-30 12:55:03 +00:00
// Fetch calendar data from URLs
2024-10-01 23:08:49 +00:00
const promises = calendars.map((calendar) => {
return axios.get(calendar.url)
.then((response) => {
return {
data: response.data,
prefix: calendar.prefix,
override: calendar.override,
2024-10-01 23:08:49 +00:00
};
})
.catch((error) => {
console.error(error);
return null;
});
});
const results = await Promise.all(promises);
2024-10-01 23:09:36 +00:00
// Filter out any failed requests
const validResults = results.filter((result) => result !== null);
2024-09-30 12:55:03 +00:00
2024-10-28 17:53:46 +00:00
// Create a new iCalendar instance
const calendar = icalGenerator({ name: linkGroupName });
2024-09-30 12:55:03 +00:00
// Parse calendar data
2024-10-01 23:10:37 +00:00
validResults.forEach((result) => {
const parsedCalendar = ical.parseICS(result.data);
Object.keys(parsedCalendar).forEach((key) => {
const event = parsedCalendar[key];
const start = new Date(event.start);
const end = new Date(event.end);
const summary = result.override ? result.prefix : `${result.prefix} ${event.summary}`;
// Add event to the calendar
calendar.createEvent({
start: start,
end: end,
summary: summary,
});
2024-10-01 23:10:37 +00:00
});
});
2024-09-30 12:55:03 +00:00
2024-10-28 17:57:34 +00:00
// Save the calendar to a file
fs.writeFileSync(`${MERGED_CALENDARS_DIR}/${filename}`, calendar.toString());
// Save the user input and sanitizedLinkGroupName in a separate JSON file
saveCalendarData(sanitizedLinkGroupName, linkGroupName, calendars);
2024-10-18 13:43:13 +00:00
res.json({ url: `${req.protocol}://${req.get('host')}/calendar/${sanitizedLinkGroupName}` });
2024-09-30 12:55:03 +00:00
} catch (error) {
console.error(error);
res.status(500).json({ error: 'Failed to merge calendars' });
}
});
2024-10-18 13:43:13 +00:00
// Serve the merged calendar file and refresh if older than an hour
app.get('/calendar/:name', async (req, res) => {
2024-10-24 12:18:02 +00:00
const calendarName = req.params.name;
const icsFilePath = path.resolve(MERGED_CALENDARS_DIR, `${calendarName}.ics`);
const jsonFilePath = path.resolve(MERGED_CALENDARS_DIR, `${calendarName}.json`);
2024-10-24 12:20:52 +00:00
try {
// Check if the .ics file exists
if (fs.existsSync(icsFilePath)) {
const stats = fs.statSync(icsFilePath);
const lastModified = new Date(stats.mtime);
const now = new Date();
// Check if the file is older than one hour
if (now - lastModified > 60 * 60 * 1000) {
console .log('Refreshing calendar data...');
// Read the JSON file to get the source URL and other details
const jsonData = JSON.parse(fs.readFileSync(jsonFilePath, 'utf8'));
2024-10-28 11:54:33 +00:00
const { calendars } = jsonData;
// Fetch calendar data for each merged calendar
const promises = calendars.map((calendar) => {
return axios.get(calendar.url)
.then((response) => {
return {
data: response.data,
prefix: calendar.prefix,
override: calendar.override,
};
})
.catch((error) => {
console.error(error);
return null;
});
});
2024-10-24 12:28:13 +00:00
const results = await Promise.all(promises);
// Filter out any failed requests
const validResults = results.filter((result) => result !== null);
2024-10-24 12:30:01 +00:00
// Create a new iCalendar instance
const calendar = icalGenerator({ name: calendarName });
2024-10-24 12:30:01 +00:00
// Parse calendar data
validResults.forEach((result) => {
const parsedCalendar = ical.parseICS(result.data);
Object.keys(parsedCalendar).forEach((key) => {
const event = parsedCalendar[key];
const start = new Date(event.start);
const end = new Date(event.end);
const summary = result.override ? result.prefix : `${result.prefix} ${event.summary}`;
// Add event to the calendar
calendar.createEvent({
start: start,
end: end,
summary: summary,
});
2024-10-24 12:30:01 +00:00
});
});
2024-10-28 23:31:58 +00:00
// Save the calendar to a file
fs.writeFileSync(icsFilePath, calendar.toString());
2024-10-24 12:33:58 +00:00
console.log('Calendar data refreshed.');
}
2024-10-24 12:33:58 +00:00
} else {
return res.status(404).json({ error: 'Calendar not found.' });
2024-10-24 12:20:52 +00:00
}
2024-10-24 12:33:58 +00:00
2024-10-24 12:35:03 +00:00
// Return the contents of the .ics file
res.setHeader('Content-Type', 'text/calendar');
res.sendFile(icsFilePath);
2024-10-24 12:26:50 +00:00
} catch (error) {
console.error(error);
res.status(500).json({ error: 'Failed to retrieve calendar data.' });
2024-10-24 12:20:52 +00:00
}
});
2024-10-18 13:43:13 +00:00
//function to save calendar data to seperate .json files
function saveCalendarData(calendarId, linkGroupName, calendars) {
const calendarFile = `${MERGED_CALENDARS_DIR}/${calendarId}.json`;
const calendarData = {
id: calendarId,
linkGroupName: linkGroupName,
calendars: calendars
};
try {
fs.writeFileSync(calendarFile, JSON.stringify(calendarData, null, 2));
} catch (error) {
console.error('Error writing to calendar file:', error);
}
}
// Function to update the merged calendar
async function updateMergedCalendars(calendarId){
try {
// Load calendar data from the individual JSON file
const calendarFile = `${MERGED_CALENDARS_DIR}/${calendarId}.json`;
const calendarData = JSON.parse(fs.readFileSync(calendarFile, 'utf8'));
// Fetch calendar data for each merged calendar
const promises = calendarData.calendars.map((calendar) => {
return axios.get(calendar.url)
.then((response) => {
return {
data: response.data,
prefix: calendar.prefix,
override: calendar.override,
};
})
.catch((error) => {
console.error(error);
return null;
});
});
2024-10-02 12:21:00 +00:00
const results = await Promise.all(promises);
2024-10-02 22:09:25 +00:00
// Filter out any failed requests
2024-10-19 14:13:45 +00:00
const validResults = results.filter((result) => result !== null);
2024-10-02 22:10:27 +00:00
// Parse calendar data
const mergedCal = [];
validResults.forEach((result) => {
const calendar = ical.parseICS(result.data);
Object.keys(calendar).forEach((key) => {
const event = calendar[key];
if (result.override) {
mergedCal.push({
start: event.start,
end: event.end,
summary: result.prefix,
});
} else {
mergedCal.push({
start: event.start,
end: event.end,
summary: `${result.prefix} ${event.summary}`,
});
}
2024-10-02 22:10:27 +00:00
});
});
2024-10-02 22:11:20 +00:00
// Save merged calendar to file
const filename = `${calendarId}.ics`;
2024-10-02 22:11:20 +00:00
let icalString = `BEGIN:VCALENDAR
VERSION:2.0
CALSCALE:GREGORIAN
METHOD:PUBLISH
`;
mergedCal.forEach((event) => {
icalString += `BEGIN:VEVENT
2024-10-22 16:22:57 +00:00
DTSTART;VALUE=DATETIME:${event.start.toISOString().replace(/-|:|\.\d{3}/g, '')}
DTEND;VALUE=DATETIME:${event.end.toISOString().replace(/-|:|\.\d{3}/g, '')}
2024-10-02 22:11:20 +00:00
SUMMARY:${event.summary}
END:VEVENT
`;
});
icalString += `END:VCALENDAR`;
2024-10-08 19:04:31 +00:00
// Store the merged calendar URL in a file
fs.writeFileSync(`${MERGED_CALENDARS_DIR}/${filename}`, icalString);
2024-10-08 19:04:31 +00:00
console.log(`Merged calendar updated: ${calendarId}`);
2024-10-02 22:13:58 +00:00
2024-10-02 12:21:00 +00:00
} catch (error) {
console.error(error);
}
}
// Endpoint to refresh the merged calendar
app.post('/refresh/:id', async (req, res) => {
const calendarId = req.params.id;
try {
await updateMergedCalendars(calendarId);
res.json({ message: `Merged calendar refreshed: ${calendarId}` });
} catch (error) {
console.error(error);
res.status(500).json({ error: `Failed to refresh merged calendar: ${calendarId}` });
}
});
2024-10-02 12:21:00 +00:00
// Start the server
const port = 3000;
app.listen(port, () => {
console.log(`Server started on port ${port}`);
2024-10-19 15:32:43 +00:00
});