automating-reminders
npx machina-cli add skill SpillwaveSolutions/automating-mac-apps-plugin/automating-reminders --openclawAutomating Reminders (JXA-first, AppleScript discovery)
Relationship to the macOS automation skill
- Standalone for Reminders; reuse
automating-mac-appsfor permissions, shell helpers, and ObjC debugging patterns. - PyXA Installation: To use PyXA examples in this skill, see the installation instructions in
automating-mac-appsskill (PyXA Installation section).
Core Framing
Reminders works like a database: everything is accessed via specifiers (references to objects). Start by exploring the Reminders dictionary in Script Editor (switch to JavaScript view). Read properties with methods like name() or id(); write with assignments. Use .whose for efficient server-side filtering to minimize performance overhead. For creation, use constructors + .push() instead of make to avoid errors. Note: no native move command—use copy-delete instead. Priority: 1 (high), 5 (medium), 9 (low), 0 (none). Recurrence/location scripting is limited; use Shortcuts for advanced features.
Quickstart (create + alerts)
First, ensure Reminders permissions are granted (see automating-mac-apps for setup).
JXA:
try {
const app = Application("Reminders");
// Get list by name, or fall back to first available list
let list;
try {
list = app.lists.byName("Reminders");
list.name(); // Verify it exists
} catch (e) {
// Fall back to first available list
const lists = app.lists();
if (lists.length === 0) {
throw new Error("No reminder lists found");
}
list = lists[0];
}
const r = app.Reminder({
name: "Prepare deck",
body: "Client review",
dueDate: new Date(Date.now() + 3*86400*1000), // 3 days from now
remindMeDate: new Date(Date.now() + 2*86400*1000), // Reminder 1 day before due
priority: 1 // High priority
});
list.reminders.push(r);
console.log("Reminder created in '" + list.name() + "'");
} catch (error) {
console.error("Failed to create reminder: " + error.message);
// Common errors: Permissions denied, list not found
}
Note: The list name varies by system. Common names include "Reminders", "Inbox", or localized versions. Using
app.lists()[0]as a fallback ensures the script works across different configurations.
PyXA (Recommended Modern Approach):
import PyXA
from datetime import datetime, timedelta
try:
reminders = PyXA.Reminders()
# Get Inbox list
inbox = reminders.lists().by_name("Inbox")
# Create reminder with due date and reminder alert
reminder = inbox.reminders().push({
"name": "Prepare deck",
"body": "Client review",
"due_date": datetime.now() + timedelta(days=3),
"remind_me_date": datetime.now() + timedelta(days=2),
"priority": 1 # High priority
})
print("Reminder created successfully")
except Exception as error:
print(f"Failed to create reminder: {error}")
# Common errors: Permissions denied, Inbox list not found
PyObjC with Scripting Bridge:
from ScriptingBridge import SBApplication
from Foundation import NSDate
try:
reminders = SBApplication.applicationWithBundleIdentifier_("com.apple.Reminders")
# Get Inbox list
lists = reminders.lists()
inbox = None
for lst in lists:
if lst.name() == "Inbox":
inbox = lst
break
if inbox:
# Create reminder
reminder = reminders.classForScriptingClass_("reminder").alloc().init()
reminder.setName_("Prepare deck")
reminder.setBody_("Client review")
# Set due date (3 days from now)
due_date = NSDate.dateWithTimeIntervalSinceNow_(3 * 24 * 60 * 60)
reminder.setDueDate_(due_date)
# Set reminder date (2 days from now)
remind_date = NSDate.dateWithTimeIntervalSinceNow_(2 * 24 * 60 * 60)
reminder.setRemindMeDate_(remind_date)
reminder.setPriority_(1) # High priority
# Add to inbox
inbox.reminders().addObject_(reminder)
print("Reminder created successfully")
else:
print("Inbox list not found")
except Exception as error:
print(f"Failed to create reminder: {error}")
Workflow (default)
- Discover: Open Script Editor, view Reminders dictionary in JavaScript mode to learn available properties.
- Target List: Get your list by name (e.g.,
app.lists.byName('Work')) or ID. - Filter: Use
.whosefor queries (e.g.,reminders.whose({name: {_contains: 'meeting'}})). For dates, use_lessThan/_greaterThan. - Create: Build with
Reminder({...})then add via.push()to avoid errors. - Batch Operations: Collect IDs before changes, update/delete in batches.
- Move: Copy item to new list, then delete original (no native move).
- Advanced Features: For recurrence/location, call Shortcuts or clone template item.
Example: Filter overdue reminders:
const overdue = list.reminders.whose({dueDate: {_lessThan: new Date()}})();
Validation Checklist
After implementing Reminders automation:
- Verify Reminders permissions granted
- Test list access:
app.lists().length > 0 - Confirm reminder creation with valid dates
- Check reminder appears in Reminders UI
- Validate
.whosequeries return expected results
Common Pitfalls
- Permission errors: Grant Reminders access in System Preferences > Security & Privacy.
- -10024 errors: Use constructor + push instead of make.
- Invalid dates: Validate before assignment.
- Missing lists: Check existence with
app.lists.byName(name)before use.
When Not to Use
- For cross-platform task management (use Todoist API or similar)
- When complex recurrence patterns are needed (limited JXA support; use Shortcuts)
- For non-macOS platforms
- When location-based reminders require programmatic setup (use Shortcuts)
What to Load
Load progressively as needed:
- Basics: Start with
automating-reminders/references/reminders-basics.mdfor specifiers and simple operations. - Recipes: Add
automating-reminders/references/reminders-recipes.mdfor practical create/query/batch examples. - Advanced: For complex scenarios, load
automating-reminders/references/reminders-advanced.md(priority, limits, debugging). - Dictionary: Reference
automating-reminders/references/reminders-dictionary.mdfor full type mappings. - PyXA API Reference (complete class/method docs):
automating-reminders/references/reminders-pyxa-api-reference.md
Source
git clone https://github.com/SpillwaveSolutions/automating-mac-apps-plugin/blob/main/plugins/automating-mac-apps-plugin/skills/automating-reminders/SKILL.mdView on GitHub Overview
Automating Reminders uses JavaScript for Automation (JXA) to programmatically create, update, and organize Apple Reminders. It covers list and reminder management, server-side filtering with .whose, and efficient creation via constructors and push, plus a copy-delete pattern for moving items when a native move isn't available.
How This Skill Works
Reminders is accessed via a dictionary-like API in JXA. The script obtains the Reminders app, selects a target list (by name or falls back to the first available list), then creates reminders with constructors and pushes them into list.reminders. Filtering uses server-side .whose queries to minimize overhead, and moving items is done by copying to the destination list and deleting from the source since there is no native move command.
When to Use It
- When you need to create reminders programmatically from data or events.
- When you want to automate adding or updating items in a specific Reminders list.
- When you require efficient filtering of reminders using .whose to reduce iteration overhead.
- When creating numerous reminders quickly using constructors + push instead of make.
- When you must move reminders between lists via a copy-delete pattern due to the lack of a native move command.
Quick Start
- Step 1: Ensure Reminders permissions are granted for scripting.
- Step 2: In your JXA script, locate a target list by name or fall back to the first list, then create a Reminder with desired fields and push it to the list.
- Step 3: Run the script and handle common errors (permissions, missing list, or invalid fields) with console/error handling.
Best Practices
- Use constructors + push for creation to avoid errors associated with make.
- Leverage .whose for server-side filtering to minimize performance overhead.
- Always check and handle Reminders permissions; fall back to a suitable list if the named one isn't found.
- Operate on a specific target list (list.reminders) rather than broad global collections for robustness.
- Explicitly set and validate key fields (name, body, dueDate, remindMeDate, priority) to avoid incomplete reminders.
Example Use Cases
- Create a high-priority reminder in a project list with a due date and a reminder alert a day before.
- Batch-create daily standup tasks from a data array into a dedicated 'Today' list.
- Move completed tasks from 'Inbox' to a 'Completed' list using copy-delete to preserve history.
- Filter reminders assigned to a specific team member using .whose and update their due dates in bulk.
- If a named list isn't found, gracefully fall back to the first available list and continue automation.