How to Make Your AI Assistant Access Nextcloud Calendar

How to Make Your AI Assistant Access Nextcloud Calendar

Published
Mar 1, 2025
Tags
Life Hacks
AI
TypingMind
NodeJS
In the evolving landscape of AI assistants, having them access your personal data feels like a superpower. But what if you’re privacy-conscious and prefer self-hosted solutions over Google services? This guide shows how to connect an AI assistant directly to your Nextcloud calendar, letting you ask questions like:
“Do I have meetings tomorrow?”
“What birthdays are in the next quarter?”
“What’s my schedule between March 1-5?”
Let your AI agent answer questions about appointments in your Nextcloud calendar.
Let your AI agent answer questions about appointments in your Nextcloud calendar.

The Toolkit

  1. TypingMind - Chat UI for AI models with plugin support
  1. Nextcloud - Self-hosted productivity platform (OSS alternative to Google Workspace)
  1. LLM Tools - OpenAI’s function calling feature that lets AIs trigger real actions
TypingMind is a web interface that supports multiple AI models like GPT-4, Claude, and others while adding features missing from the default interfaces. Most importantly for us, it supports “plugins” - small pieces of code that give AIs capabilities beyond text generation.
Nextcloud, meanwhile, is an open-source alternative to services like Google Drive and Google Calendar, allowing you to store your data on your own server rather than a third-party cloud.
The magic happens when we combine these using LLM Tools - a protocol that allows large language models to take actions in the real world by calling functions you define.

Before You Start: Get Your Nextcloud App Token

What’s an app token?

An app-specific password that lets external services access your Nextcloud account without your main password. This improves security by limiting exposure of your credentials.
💡
Security experts recommend using app-specific tokens instead of your primary password whenever possible. If a service is compromised, you can revoke individual tokens without changing your master password.

How to Create It

  1. Log into Nextcloud
    Go to your-nextcloud.com and sign in.
  1. Open Settings
    Click your profile picture → SettingsSecurity tab.
  1. Generate App Password
    Under Devices & sessions:
      • Type the name of your app, e.g. “Calendar Bridge” or “TypingMind” in the app name field
      • Click Create new app password
        • App password generation in Nextcloud settings
          App password generation in Nextcloud settings
  1. Save the Token
    Copy the generated code (e.g., AbCdE-12345-FgHiJ). This is your NEXTCLOUD_TOKEN for the .env file later.
⚠️
Important: Store this securely! You won’t see it again in Nextcloud. If lost, revoke and create a new one.

Step 1: Create Your Calendar Web Service

What we’re building is essentially a bridge between your AI assistant and your calendar. The AI needs to access your calendar data, but can’t do so directly. Our solution is a small web service that:
  1. Accepts requests from the AI
  1. Authenticates those requests
  1. Fetches the relevant calendar data
  1. Returns it in a format the AI can understand
Let’s build this bridge step by step.

1.1 Set Up Node.js Project

Note: Requires Node.js and Yarn installed (not covered in this tutorial).
mkdir calendar-bridge && cd calendar-bridge yarn init -y yarn add express cors tsdav node-ical luxon lodash dotenv
These packages give us everything we need:
  • express: Web server framework
  • cors: Handle cross-origin requests
  • tsdav: Connect to Nextcloud’s CalDAV API
  • node-ical: Parse calendar data
  • luxon: Better date/time handling than native JavaScript
  • lodash: Utilities for data manipulation
  • dotenv: Load environment variables from a file

1.2 Create nextcloud.js

This file contains the logic for connecting to Nextcloud and retrieving calendar events. The code below handles both regular and recurring events, extracts event details, and formats them in a way that’s useful for the AI:
const { createDAVClient } = require('tsdav'); const ical = require('node-ical'); const { DateTime } = require('luxon'); const { flatten, orderBy } = require('lodash'); // Adapt to match the display names of your calendars. const CALENDARS = ['Allgemein', 'Contact birthdays']; // Helper functions const formatCalDAVTime = (isoString) => { // Parse the ISO string with Luxon to handle any timezone format const dt = DateTime.fromISO(isoString); // Format to CalDAV compatible format (UTC) return dt.toUTC().toFormat("yyyyMMdd'T'HHmmss'Z'"); }; const formatHumanDate = (date, locale = 'en-US') => { // Use native toLocaleDateString with options for full weekday and padded numbers return date.toLocaleDateString(locale, { weekday: 'long', year: 'numeric', month: '2-digit', day: '2-digit' }); }; const formatHumanTime = (date, locale = 'en-US') => { return date.toLocaleTimeString(locale, { hour: '2-digit', minute: '2-digit' }); }; const extractDescription = (value, startDate) => { if (value['NEXTCLOUD-BC-FIELD-TYPE'] === 'BDAY') { const birthYear = parseInt(value['NEXTCLOUD-BC-YEAR']); // calculate age how old the person will be on the given date const age = startDate.getFullYear() - birthYear; return `turns ${age} years old`; } if (typeof value.description === 'string') { return value.description; } if (value.description && value.description.val) { return value.description.val; } return null; }; const getEventsFromCalendar = (calendarObjects, calendarName, startDateISO, endDateISO, locale = 'en-US') => { const parsedEvents = calendarObjects.map(e => ical.sync.parseICS(e.data)); // filter out all object values which are type `VEVENT` const events = []; parsedEvents.forEach(event => { const eventValues = Object.values(event); eventValues.forEach(value => { if (value.type === 'VEVENT') { if (!value.rrule) { const description = extractDescription(value, value.start); events.push({ title: value.summary, ...(value.location ? { location: value.location } : undefined), date: formatHumanDate(value.start, locale), begin: formatHumanTime(value.start, locale), ...(value.datetype === 'date-time') ? { end: formatHumanTime(value.end, locale) } : undefined, calendar: calendarName, ...(description ? { description } : undefined), }); } else { const startDT = DateTime.fromISO(startDateISO); const endDT = DateTime.fromISO(endDateISO); const dates = value.rrule.between(startDT.toJSDate(), endDT.toJSDate()); const originalStartTime = DateTime.fromJSDate(value.start); const originalEndTime = DateTime.fromJSDate(value.end); const originalStartHour = originalStartTime.hour; const originalStartMinute = originalStartTime.minute; const originalEndHour = originalEndTime.hour; const originalEndMinute = originalEndTime.minute; dates.forEach(date => { const localZone = DateTime.local().zoneName; const recurDate = DateTime.fromJSDate(date).setZone(localZone); const startDT = recurDate.set({ hour: originalStartHour, minute: originalStartMinute }); const endDT = recurDate.set({ hour: originalEndHour, minute: originalEndMinute }); const adjustedEndDT = endDT < startDT ? endDT.plus({ days: 1 }) : endDT; const description = extractDescription(value, startDT.toJSDate()); events.push({ title: value.summary, ...(value.location ? { location: value.location } : undefined), date: formatHumanDate(startDT.toJSDate(), locale), begin: formatHumanTime(startDT.toJSDate(), locale), ...(value.datetype === 'date-time') ? { end: formatHumanTime(adjustedEndDT.toJSDate(), locale) } : undefined, calendar: calendarName, ...(description ? { description } : undefined), }); }); } } }); }); return events; }; const getCalendarEvents = async (startDateISO, endDateISO, locale = 'en-US') => { const config = { serverUrl: process.env.NEXTCLOUD_URL, user: process.env.NEXTCLOUD_USER, token: process.env.NEXTCLOUD_TOKEN, }; const client = await createDAVClient({ serverUrl: config.serverUrl, credentials: { username: config.user, password: config.token, }, authMethod: "Basic", defaultAccountType: "caldav", }); const calendars = await client.fetchCalendars(); // Adjust the calendar names to match your Nextcloud setup const relevantCalendarDisplayNames = CALENDARS; const relevantCalendars = calendars.filter(calendar => relevantCalendarDisplayNames.includes(calendar.displayName)); const calendarObjectsForAllCalendars = await Promise.all(relevantCalendars.map(calendar => client.fetchCalendarObjects({ calendar, filters: [ { 'comp-filter': { _attributes: { name: 'VCALENDAR' }, 'comp-filter': { _attributes: { name: 'VEVENT' }, 'time-range': { _attributes: { start: formatCalDAVTime(startDateISO), end: formatCalDAVTime(endDateISO), }, }, }, }, }, ] }))); const allEvents = flatten(calendarObjectsForAllCalendars.map((calendarObjects, index) => { // Find the corresponding calendar display name (some calendars might have been filtered out) const calendarDisplayName = relevantCalendars[index]?.displayName || 'Unknown Calendar'; return getEventsFromCalendar(calendarObjects, calendarDisplayName, startDateISO, endDateISO, locale); })); return orderBy(allEvents, ['begin'], ['asc']); }; module.exports = { getCalendarEvents };
💡
Recurring events are the most complex type of calendar data to handle. They can repeat with various frequencies (daily, weekly, monthly), contain exceptions, and even account for time zone changes. Getting these right makes your AI calendar experience truly reliable.

1.3 Create server.js

Now we need an API server that the TypingMind plugin can talk to. This server will authenticate requests, call our calendar functions, and return the results:
require('dotenv').config(); const express = require('express'); const cors = require('cors'); const { getCalendarEvents } = require('./nextcloud'); // The origin for CORS. Change it to https://www.typingmind.com or // the URL of your custom TypingMind instance when you deploy the app. const ORIGIN = '*' const corsConfig = { origin: ORIGIN, methods: ['GET', 'POST', 'PUT', 'DELETE', 'OPTIONS', 'PATCH'], allowedHeaders: ['Content-Type', 'Authorization', 'X-Requested-With', 'Accept', 'Origin'], exposedHeaders: ['Content-Length'], credentials: true, }; const app = express(); app.use(express.json()); // Updated CORS configuration app.use(cors(corsConfig)); // Handle preflight requests explicitly app.options('/get-calendar-events', cors(corsConfig)); // Auth middleware - skip for OPTIONS requests app.use((req, res, next) => { // Skip auth check for OPTIONS requests if (req.method === 'OPTIONS') { return next(); } const authHeader = req.headers.authorization; if (!authHeader?.startsWith('bearer ') || authHeader.split(' ')[1] !== process.env.API_TOKEN) { return res.status(401).json({ error: { message: 'Unauthorized: Invalid or missing API token' } }); } next(); }); app.post('/get-calendar-events', async (req, res) => { try { const { from, to, locale = 'en-US' } = req.body; if (!from || !to) { return res.status(400).json({ error: { message: 'Missing parameters: from and to dates are required' } }); } const events = await getCalendarEvents(from, to, locale); return res.json(events); } catch (error) { console.error('Error processing request:', error); res.status(500).json({ error: { message: `Server error: ${error.message}` } }); } }); const PORT = process.env.PORT || 3000; app.listen(PORT, () => console.log(`Server running on port ${PORT}`));
💡
The security here is important - we’re using a simple token-based authentication system to ensure only authorized clients can access the calendar data. The CORS settings also ensure that only requests from TypingMind are allowed.

1.4 Add Environment File (.env)

Create a file named .env with these variables:
NEXTCLOUD_URL=https://your-nextcloud.com/remote.php/dav/calendars/ NEXTCLOUD_USER=your_username NEXTCLOUD_TOKEN=your_app_password_from_earlier API_TOKEN=create_a_secure_random_string_for_typingmind
The API_TOKEN should be a random, secure string that you’ll also provide to TypingMind. You can generate one using a password manager or with commands like openssl rand -hex 32.

1.5 Run It Locally

Add this to your package.json:
"scripts": { "dev": "node server.js", "start": "node server.js" }
Then run this command to start the server.
yarn dev
At this point, you should have a running server that can fetch calendar events from your Nextcloud instance. It’s time to connect it to TypingMind.

Step 2: Configure TypingMind Plugin

TypingMind’s plugin system allows us to create a bridge between the AI models and our calendar service. The plugin defines:
  • What data the model needs to know about the function
  • How to call our API
  • How to format the response for the AI
In TypingMind, navigate to Plugins → Create Plugin → Toggle to JSON Editor, and paste:
{ "uuid": "fd017c80-186e-4a49-a77e-ac1abb9cefc9", "id": "get_calendar_events", "emoji": "📅", "title": "Get Nextcloud Calendar Events", "overviewMarkdown": "## Get Calendar Events\n\nGet calendar events from your Nextcloud account using custom API", "openaiSpec": { "name": "get_calendar_events", "parameters": { "type": "object", "required": [ "from", "to", "locale" ], "properties": { "from": { "type": "string", "description": "Must be an RFC3339 timestamp with mandatory time zone offset, for example, 2011-06-03T10:00:00-07:00, 2011-06-03T10:00:00Z." }, "to": { "type": "string", "description": "Must be an RFC3339 timestamp with mandatory time zone offset, for example, 2011-06-03T10:00:00-07:00, 2011-06-03T10:00:00Z." }, "locale": { "type": "string", "description": "ISO language code for formatting dates and times, for example, 'en-US', 'de-DE', 'fr-FR'." } } }, "description": "Return events in the user's Nextcloud calendar within a specific time range formatted according to the specified locale." }, "userSettings": [ { "name": "apiKey", "label": "API Key", "type": "password" }, { "name": "apiUrl", "label": "API Route", "type": "text" } ], "code": "const makeRequest = async (url, method = 'GET', headers = {}, body) => {\n try {\n const options = {\n method,\n headers: {\n 'Content-Type': 'application/json',\n ...headers\n },\n ...(body && { body: JSON.stringify(body) })\n };\n\n const response = await fetch(url, options);\n\n if (!response.ok) {\n const errorResponse = await response.json();\n throw new Error(errorResponse.error?.message || 'Something went wrong');\n }\n\n return await response.json();\n } catch (error) {\n throw new Error(error.message || 'Unknown API error');\n }\n};\n\nasync function get_calendar_events(params, userSettings) {\n const { from, to, locale } = params;\n const { apiKey, apiUrl } = userSettings;\n\n const result = await makeRequest(\n apiUrl,\n 'POST',\n { 'Authorization': `bearer ${apiKey}` },\n { from, to, locale }\n );\n\n return result;\n}\n", "syncedAt": null, "authenticationType": "AUTH_TYPE_NONE", "implementationType": "javascript", "oauthConfig": null, "outputType": "respond_to_ai" }
The openaiSpec section is particularly important - it tells the AI model what parameters it needs to provide when calling the calendar function. The AI learns to convert natural language requests like “What’s happening tomorrow?” into specific date ranges required by our API.
Import the JSON and save the plugin.
Import the JSON and save the plugin.
After saving, click on the plugin in your list, go to settings, and enter:
  1. The API Token you created in your .env file
  1. The full URL to your calendar API endpoint (e.g., http://localhost:3000/get-calendar-events for local testing)
    1. The settings can be changed anytime, e.g. if you deploy your server to a cloud service.
      The settings can be changed anytime, e.g. if you deploy your server to a cloud service.

Step 3: Deploy Your Service (Optional)

While you can use the service running locally, for regular use you’ll want to deploy it somewhere accessible from the internet. Several platforms make this easy:
  • Railway: Simple deployment with GitHub integration
  • Render: Free tier for small projects
  • Fly.io: Distributed hosting with generous free tier
  • Digital Ocean App Platform: More robust but paid option
The deployment process varies by platform, but make sure to:
  1. Set all environment variables (NEXTCLOUD_URL, NEXTCLOUD_USER, NEXTCLOUD_TOKEN, API_TOKEN)
  1. Enable HTTPS (critical for security!)
  1. Update the API URL in your TypingMind plugin settings to point to your deployed service
💡
Hosting costs for a small service like this are minimal. Most providers offer free tiers that can handle thousands of calendar queries per month, more than enough for personal use.

Step 4: Talk to Your Calendar!

Now comes the fun part - actually using your calendar-enabled AI! Start a new chat in TypingMind, make sure your plugin is enabled, and ask questions about your calendar.
Example prompts:
🔹 “Show me events between March 1st and 5th”
🔹 “Do I have any meetings before noon tomorrow?”
🔹 “List all birthdays in April”
The AI will automatically:
  1. Determine time range needed
  1. Call your Nextcloud plugin
  1. Summarize the results in natural language
What’s impressive is how the AI can understand the context of your question and provide relevant details. If you ask about tomorrow’s meetings, it might highlight conflicts or suggest preparation time. For birthdays, it might remind you about gift ideas mentioned in previous conversations.
Never miss a birthday again.
Never miss a birthday again.
Forgot your last cinema visit? Just ask your assistant.
Forgot your last cinema visit? Just ask your assistant.

Why This Matters

While Google Calendar integrations with AI are becoming common, this Nextcloud solution offers several advantages:
Privacy: Your calendar data stays on your server, only temporarily accessed by the AI
Flexibility: Works with any LLM that supports the tools protocol
Integration: Brings calendar awareness to your existing AI workflows
Open Source: Built on open standards and tools you control
The combination of self-hosted data and powerful AI creates a best-of-both-worlds scenario where you get the convenience of modern AI assistants without sacrificing privacy or control.
 
🔒
In a world where large models are trained on whatever data they can scrape, there’s something refreshing about keeping your personal schedule data private while still benefiting from AI assistance.

Troubleshooting

  • “NetworkError when attempting to fetch resource”: Check if your server is accessible from the internet and CORS is configured correctly
  • “Unauthorized”: Verify the API key matches in the plugin settings and your .env file
  • Calendar shows no data: Ensure your calendar names match the ones in nextcloud.js
  • Time zone issues: Calendar events might show in wrong times if server and Nextcloud time zones differ
The most common issue is calendar name mismatches. In the getCalendarEvents function, make sure to update the relevantCalendarDisplayNames array to match the exact names of your Nextcloud calendars.
By combining the power of Nextcloud, TypingMind, and modern AI models, you’ve created a personal assistant that knows your schedule while respecting your privacy. As language models continue to improve, the conversations will become even more natural and helpful - all while keeping your data where it belongs: on your own terms.