MeetStream Guide: Calendar Integration & Auto-Scheduling

View as Markdown

This guide explains how to connect your Google Calendar to MeetStream so bots can automatically join your meetings — no manual API calls required.

Applies to: Google Meet, Zoom, Microsoft Teams meetings on your Google Calendar. Support: docs.meetstream.ai • API: api.meetstream.ai


What you get with Calendar Integration

Once connected, MeetStream can:

  • See your upcoming meetings — synced directly from Google Calendar
  • Schedule bots for specific meetings — one click or one API call
  • Auto-schedule bots for all meetings — hands-free, every day
  • Handle recurring meetings — automatically reschedule bots for the next occurrence
  • React to calendar changes — if a meeting is rescheduled or cancelled, MeetStream updates the bot schedule

1) Get your Google OAuth credentials

Before connecting your calendar, you need three things from Google: a Client ID, Client Secret, and Refresh Token. Follow these steps to get them.

Step 1: Create a Google Cloud project and OAuth credentials

  1. Go to the Google Cloud Console.
  2. Create a new project (or use an existing one).
  3. Navigate to APIs & Services → Library and enable the Google Calendar API.
  4. Go to APIs & Services → Credentials.
  5. Click Create Credentials → OAuth 2.0 Client ID.
  6. Set the application type to Web application.
  7. Under Authorized redirect URIs, add:
    http://localhost:3000/api/google/oauth-callback
  8. Click Create and copy your Client ID and Client Secret.

Step 2: Run the OAuth helper to get your refresh token

MeetStream provides a lightweight Node.js helper that runs the OAuth consent flow locally and returns your refresh token.

Prerequisites: Node.js installed on your machine.

  1. Create a .env file in the project root with your credentials:
GOOGLE_CLIENT_ID=<YOUR_CLIENT_ID>
GOOGLE_CLIENT_SECRET=<YOUR_CLIENT_SECRET>
  1. Install dependencies
$npm install express googleapis dotenv

  3. Create the server.js file and paste this code

1const express = require('express');
2const { google } = require('googleapis');
3require('dotenv').config();
4
5const app = express();
6const PORT = 3000;
7const REDIRECT_URI = `http://localhost:${PORT}/api/google/oauth-callback`;
8
9const oauth2Client = new google.auth.OAuth2(
10 process.env.GOOGLE_CLIENT_ID,
11 process.env.GOOGLE_CLIENT_SECRET,
12 REDIRECT_URI
13);
14
15const scopes = [
16 'https://www.googleapis.com/auth/calendar.events.readonly',
17 'https://www.googleapis.com/auth/calendar.readonly',
18 'https://www.googleapis.com/auth/userinfo.email',
19 'https://www.googleapis.com/auth/userinfo.profile',
20];
21
22app.get('/', (_req, res) => {
23 const authUrl = oauth2Client.generateAuthUrl({
24 access_type: 'offline',
25 scope: scopes,
26 prompt: 'consent',
27 include_granted_scopes: true,
28 });
29 res.redirect(authUrl);
30});
31
32app.get('/api/google/oauth-callback', async (req, res) => {
33 const { code, error } = req.query;
34
35 if (error) {
36 return res.status(400).send(`<h1>OAuth Error</h1><p>${error}</p>`);
37 }
38 if (!code) {
39 return res.status(400).send('<h1>Missing authorization code</h1>');
40 }
41
42 try {
43 const { tokens } = await oauth2Client.getToken(code);
44
45 res.send(`
46 <h1>Success!</h1>
47 <h3>Refresh Token</h3>
48 <pre style="background:#f4f4f4;padding:12px;word-break:break-all">${tokens.refresh_token || 'Not returned — revoke access at https://myaccount.google.com/permissions and try again'}</pre>
49 <h3>Access Token</h3>
50 <pre style="background:#f4f4f4;padding:12px;word-break:break-all">${tokens.access_token}</pre>
51 <h3>Expiry</h3>
52 <p>${new Date(tokens.expiry_date).toISOString()}</p>
53 <hr>
54 <p>Copy the refresh token into your <code>.env</code> file, then stop this server.</p>
55 `);
56
57 console.log('\n=== TOKENS ===');
58 console.log('Refresh Token:', tokens.refresh_token);
59 console.log('Access Token:', tokens.access_token);
60 console.log('Expiry:', new Date(tokens.expiry_date).toISOString());
61 } catch (err) {
62 res.status(500).send(`<h1>Token Exchange Failed</h1><pre>${err.message}</pre>`);
63 }
64});
65
66app.listen(PORT, () => {
67 console.log(`Open http://localhost:${PORT} to start the OAuth flow`);
68 console.log(`Redirect URI: ${REDIRECT_URI}`);
69 console.log('\nMake sure this redirect URI is added in Google Cloud Console → Credentials → OAuth 2.0 Client → Authorized redirect URIs');
70});

   4. Start the helper server

$node server.js

You’ll see:

Open http://localhost:3000 to start the OAuth flow
Redirect URI: http://localhost:3000/api/google/oauth-callback
Make sure this redirect URI is added in Google Cloud Console → Credentials → OAuth 2.0 Client → Authorized redirect URIs
  1. Open http://localhost:3000 in your browser.
  2. Sign in with your Google account and grant calendar access.
  3. After authorization, the page displays your Refresh Token and Access Token.
  4. Copy the Refresh Token — you’ll need it in the next step.

If the refresh token is not returned, revoke MeetStream’s access at https://myaccount.google.com/permissions and try again. Google only returns a refresh token on the first consent or after a revoke.

Required scopes

The helper requests these scopes (read-only calendar access + basic profile):

ScopePurpose
calendar.events.readonlyRead calendar events
calendar.readonlyRead calendar list
userinfo.emailIdentify the Google account
userinfo.profileBasic profile info

You now have everything you need: Client ID, Client Secret, and Refresh Token.


2) Connect your Google Calendar

With your credentials ready, connect your Google Calendar to MeetStream.

API endpoint

POST https://api.meetstream.ai/api/v1/calendar/create_calendar

Request body

1{
2 "google_client_id": "<YOUR_GOOGLE_CLIENT_ID>",
3 "google_client_secret": "<YOUR_GOOGLE_CLIENT_SECRET>",
4 "google_refresh_token": "<YOUR_GOOGLE_REFRESH_TOKEN>"
5}

What happens behind the scenes

  1. MeetStream validates your credentials by refreshing the access token with Google.
  2. Fetches all your calendars (primary, secondary, shared).
  3. Stores your credentials securely (encrypted at rest).
  4. Sets up push notification channels on your calendars — so MeetStream is notified in real time when events are created, updated, or cancelled.

Example cURL

$curl -X POST "https://api.meetstream.ai/api/v1/calendar/create_calendar" \
> -H "Authorization: Token <YOUR_API_KEY>" \
> -H "Content-Type: application/json" \
> -d '{
> "google_client_id": "<YOUR_GOOGLE_CLIENT_ID>",
> "google_client_secret": "<YOUR_GOOGLE_CLIENT_SECRET>",
> "google_refresh_token": "<YOUR_GOOGLE_REFRESH_TOKEN>"
> }'

Response

You’ll receive a list of your calendars and the primary calendar ID:

1{
2 "calendars": [
3 {
4 "id": "user@example.com",
5 "summary": "My Calendar",
6 "primary": true
7 },
8 {
9 "id": "team-meetings@group.calendar.google.com",
10 "summary": "Team Meetings",
11 "primary": false
12 }
13 ],
14 "primary_calendar_id": "user@example.com"
15}

3) View your calendars

After connecting, you can list all calendars linked to your account.

API endpoint

GET https://api.meetstream.ai/api/v1/calendar/calendars

Example cURL

$curl -X GET "https://api.meetstream.ai/api/v1/calendar/calendars" \
> -H "Authorization: Token <YOUR_API_KEY>"

4) Sync and view your events

MeetStream syncs events from Google Calendar and stores them locally. It detects meeting links for supported platforms (Google Meet, Zoom, Microsoft Teams, and others).

API endpoint — Sync events from Google Calendar

GET https://api.meetstream.ai/api/v1/calendar/events

This endpoint syncs with Google Calendar (using incremental sync for speed) and returns your events with their current bot schedule status.

Query parameters

ParameterDescription
calendar_id(Optional) Specific calendar to sync. Defaults to primary calendar.

Example cURL

$curl -X GET "https://api.meetstream.ai/api/v1/calendar/events" \
> -H "Authorization: Token <YOUR_API_KEY>"

API endpoint — Get events from local database only

GET https://api.meetstream.ai/api/v1/calendar/get_events

This is faster since it skips the Google API call and returns events already synced to MeetStream.

Event fields you’ll receive

Each event includes:

FieldDescription
event_idMeetStream’s internal event ID
google_event_idOriginal Google Calendar event ID
summaryEvent title
start_time / end_timeISO 8601 timestamps
meeting_linkDetected meeting URL (if any)
meeting_platformgoogle_meet, zoom, microsoft_teams, etc.
is_recurringWhether this is a recurring event
bot_join_statusWhether a bot is scheduled for this event
schedule_statusscheduled, unscheduled, or cancelled

MeetStream automatically detects meeting links from Google Meet, Zoom, Microsoft Teams, Webex, GoToMeeting, BlueJeans, and Whereby.


5) Schedule a bot for a specific meeting

Pick a meeting from your synced events and schedule a bot for it.

API endpoint

POST https://api.meetstream.ai/api/v1/calendar/schedule/{event_id}

Request body

1{
2 "bot_config": {
3 "video_required": false,
4 "callback_url": "https://your-domain.com/webhooks/meetstream"
5 }
6}

The bot_config accepts the same fields you’d normally pass to the Create Bot API. MeetStream will create an EventBridge schedule that launches the bot 3 minutes before the meeting starts.

Example cURL

$curl -X POST "https://api.meetstream.ai/api/v1/calendar/schedule/evt_abc123" \
> -H "Authorization: Token <YOUR_API_KEY>" \
> -H "Content-Type: application/json" \
> -d '{
> "bot_config": {
> "video_required": false,
> "callback_url": "https://your-domain.com/webhooks/meetstream"
> }
> }'

Recurring events

If the event is recurring, MeetStream can schedule bots for all future occurrences automatically. You can also schedule a bot for a specific occurrence by passing an occurrence_date.

Deduplication

If you schedule a bot for the same event twice, MeetStream won’t create a duplicate — it updates the existing schedule with the latest bot configuration.


6) Unschedule a bot

Cancel a scheduled bot for a specific event.

API endpoint

DELETE https://api.meetstream.ai/api/v1/calendar/schedule/{event_id}

Example cURL

$curl -X DELETE "https://api.meetstream.ai/api/v1/calendar/schedule/evt_abc123" \
> -H "Authorization: Token <YOUR_API_KEY>"

This cancels the EventBridge schedule and updates the event’s status to unscheduled.


7) Manage scheduled bots

View, update, or delete your scheduled bots across all events.

List all scheduled bots

GET https://api.meetstream.ai/api/v1/calendar/scheduled_bots

Update a scheduled bot

PATCH https://api.meetstream.ai/api/v1/calendar/scheduled_bots/{bot_id}

You can update the scheduled join time, name, or custom attributes.

Delete a specific scheduled bot

DELETE https://api.meetstream.ai/api/v1/calendar/scheduled_bots/{bot_id}

8) Enable auto-scheduling

Auto-scheduling is a hands-free mode: MeetStream scans your calendar every 24 hours and automatically schedules bots for all upcoming meetings that have a meeting link.

Enable auto-scheduling

POST https://api.meetstream.ai/api/v1/calendar/auto-schedule/enable

Request body

Provide a default bot configuration that will be used for all auto-scheduled bots:

1{
2 "default_bot_config": {
3 "video_required": false,
4 "callback_url": "https://your-domain.com/webhooks/meetstream"
5 }
6}

Example cURL

$curl -X POST "https://api.meetstream.ai/api/v1/calendar/auto-schedule/enable" \
> -H "Authorization: Token <YOUR_API_KEY>" \
> -H "Content-Type: application/json" \
> -d '{
> "default_bot_config": {
> "video_required": false,
> "callback_url": "https://your-domain.com/webhooks/meetstream"
> }
> }'

Disable auto-scheduling

POST https://api.meetstream.ai/api/v1/calendar/auto-schedule/disable

Check auto-schedule settings

GET https://api.meetstream.ai/api/v1/calendar/auto-schedule/settings

How auto-scheduling works

  1. A background job runs every 24 hours.
  2. It finds all users who have auto-scheduling enabled.
  3. For each user, it looks at upcoming events (next 24 hours) that have meeting links.
  4. It skips events that already have a bot scheduled (using deduplication keys).
  5. It creates bot schedules using your default_bot_config.

9) Recurring event auto-rescheduling

For recurring meetings (weekly standups, bi-weekly syncs, etc.), MeetStream can automatically schedule a bot for the next occurrence after each meeting ends.

How it works

  1. A bot joins a recurring meeting.
  2. After the meeting, MeetStream detects it was a recurring event.
  3. It calculates the next occurrence from the event’s recurrence rule (RRULE).
  4. A new bot is automatically scheduled for the next occurrence using the same configuration.

This continues indefinitely — every recurring meeting gets a bot, without manual intervention.

Toggle auto-rescheduling for a recurring event

You can enable or disable this per event:

POST https://api.meetstream.ai/api/v1/calendar/toggle-recurrence
1{
2 "event_id": "evt_abc123",
3 "recurring_enabled": true
4}

10) Real-time calendar change detection

When you connect your calendar, MeetStream sets up Google Calendar push notifications (watch channels). This means:

  • Meeting rescheduled? → MeetStream updates the bot’s scheduled join time automatically.
  • Meeting cancelled? → MeetStream cancels the scheduled bot.
  • New meeting added? → If auto-scheduling is enabled, a bot is scheduled for it.

You don’t need to re-sync manually — changes are picked up in real time via webhooks from Google.


11) Disconnect your calendar

To remove the calendar integration entirely:

API endpoint

DELETE https://api.meetstream.ai/api/v1/calendar/disconnect

Example cURL

$curl -X DELETE "https://api.meetstream.ai/api/v1/calendar/disconnect" \
> -H "Authorization: Token <YOUR_API_KEY>"

What this does

  1. Stops all Google Calendar watch channels (no more push notifications).
  2. Cancels all pending bot schedules.
  3. Deletes all synced event data.
  4. Removes stored Google OAuth credentials.

End-to-end setup checklist

Here’s the full flow to get calendar integration running:

  1. Get credentials → Create a Google Cloud project, enable the Calendar API, and run the OAuth helper to get your refresh token
  2. ConnectPOST /calendar/create_calendar with your Google OAuth credentials
  3. SyncGET /calendar/events to pull in your meetings
  4. SchedulePOST /calendar/schedule/{event_id} to add a bot to a specific meeting
  5. Or auto-schedulePOST /calendar/auto-schedule/enable to cover all meetings automatically
  6. Recurring → Toggle recurring_enabled on recurring events for perpetual rescheduling
  7. Relax → MeetStream handles calendar changes, rescheduling, and bot creation from here

API quick reference

MethodEndpointDescription
POST/api/v1/calendar/create_calendarConnect Google Calendar
DELETE/api/v1/calendar/disconnectDisconnect calendar
GET/api/v1/calendar/calendarsList connected calendars
GET/api/v1/calendar/eventsSync & list events
GET/api/v1/calendar/get_eventsList events (local DB only)
POST/api/v1/calendar/schedule/{event_id}Schedule a bot for an event
DELETE/api/v1/calendar/schedule/{event_id}Unschedule a bot
GET/api/v1/calendar/scheduled_botsList scheduled bots
PATCH/api/v1/calendar/scheduled_bots/{bot_id}Update a scheduled bot
DELETE/api/v1/calendar/scheduled_bots/{bot_id}Delete a scheduled bot
POST/api/v1/calendar/auto-schedule/enableEnable auto-scheduling
POST/api/v1/calendar/auto-schedule/disableDisable auto-scheduling
GET/api/v1/calendar/auto-schedule/settingsGet auto-schedule settings
POST/api/v1/calendar/auto-rescheduleReschedule next recurring occurrence
POST/api/v1/calendar/toggle-recurrenceToggle recurring auto-reschedule

FAQ

Which calendar providers are supported?

Currently, Google Calendar is the only supported calendar provider. Your Google Calendar can contain meetings from any platform — MeetStream detects Google Meet, Zoom, Microsoft Teams, Webex, GoToMeeting, BlueJeans, and Whereby links.

Do I need a Google Workspace account?

No. Any Google account with Google Calendar works — personal Gmail accounts and Google Workspace accounts are both supported.

How do I get a Google OAuth2 refresh token?

Follow Section 1 of this guide — create a Google Cloud project with the Calendar API enabled, set up OAuth 2.0 credentials, and run the provided OAuth helper (node server.js) to complete the consent flow. The helper displays your refresh token in the browser.

How far in advance does auto-scheduling look?

The auto-schedule job runs every 24 hours and schedules bots for meetings happening in the next 24 hours. Meetings further out will be picked up in subsequent runs.

When does the bot join relative to the meeting start time?

Bots are scheduled to join 3 minutes before the meeting’s start time.

What happens if I reschedule a meeting in Google Calendar?

MeetStream receives a real-time push notification from Google and automatically updates the bot’s scheduled join time to match the new meeting time.

What if I cancel a meeting?

MeetStream detects the cancellation and cancels the corresponding bot schedule. No bot will be created.

No. MeetStream requires a valid meeting link (Google Meet, Zoom, Teams, etc.) to join. Events without a detected meeting link are skipped.

What happens if I schedule a bot for the same event twice?

MeetStream deduplicates by event. The second call updates the existing schedule with the new bot configuration — no duplicate bots are created.

Can I use different bot configurations for different meetings?

Yes. When you manually schedule a bot via /calendar/schedule/{event_id}, you provide the bot_config per event. Auto-scheduling uses your default_bot_config for all meetings, but you can override individual events by scheduling them manually.

Does auto-rescheduling work with all recurrence patterns?

MeetStream supports standard iCalendar recurrence rules (RRULE) — daily, weekly, bi-weekly, monthly, yearly, and custom patterns. The next occurrence is calculated from the event’s recurrence rule.

How do I stop a recurring event from being rescheduled?

Use the toggle endpoint: POST /calendar/toggle-recurrence with recurring_enabled: false for that event.

What data is deleted when I disconnect my calendar?

Everything: watch channels are stopped, pending bot schedules are cancelled, synced event data is deleted, and Google OAuth credentials are removed from storage. This is irreversible.

Is my Google Calendar data stored securely?

Yes. OAuth credentials are stored in AWS Systems Manager Parameter Store as encrypted SecureString parameters. Event data is stored in DynamoDB. MeetStream does not store your Google password.


For webhook event handling, see the Webhook Events Guide. For creating your first bot without calendar integration, see the First Bot Quickstart.