{"id":"4106ac5c-a3b0-42ee-ac77-cb06ed453283","shortId":"Aatfvg","kind":"skill","title":"eventkit","tagline":"Create, read, and manage calendar events and reminders using EventKit and EventKitUI. Use when adding events to the user's calendar, creating reminders, setting recurrence rules, requesting calendar or reminders access, presenting event editors, choosing calendars, handling alarm","description":"# EventKit\n\nCreate, read, and manage calendar events and reminders. Covers authorization,\nevent and reminder CRUD, recurrence rules, alarms, and EventKitUI editors.\nTargets Swift 6.3 / iOS 26+.\n\n## Contents\n\n- [Setup](#setup)\n- [Authorization](#authorization)\n- [Creating Events](#creating-events)\n- [Fetching Events](#fetching-events)\n- [Reminders](#reminders)\n- [Recurrence Rules](#recurrence-rules)\n- [Alarms](#alarms)\n- [EventKitUI Controllers](#eventkitui-controllers)\n- [Observing Changes](#observing-changes)\n- [Common Mistakes](#common-mistakes)\n- [Review Checklist](#review-checklist)\n- [References](#references)\n\n## Setup\n\n### Info.plist Keys\n\nAdd the required usage description strings based on what access level you need:\n\n| Key | Access Level |\n|---|---|\n| `NSCalendarsFullAccessUsageDescription` | Read + write events |\n| `NSCalendarsWriteOnlyAccessUsageDescription` | Write-only events (iOS 17+) |\n| `NSRemindersFullAccessUsageDescription` | Read + write reminders |\n\n> For apps also targeting iOS 16 or earlier, also include the legacy `NSCalendarsUsageDescription` / `NSRemindersUsageDescription` keys.\n\n### Event Store\n\nCreate a single `EKEventStore` instance and reuse it. Do not mix objects from\ndifferent event stores.\n\n```swift\nimport EventKit\n\nlet eventStore = EKEventStore()\n```\n\n## Authorization\n\niOS 17+ introduced granular access levels. Use the modern async methods.\n\n### Full Access to Events\n\n```swift\nfunc requestCalendarAccess() async throws -> Bool {\n    let granted = try await eventStore.requestFullAccessToEvents()\n    return granted\n}\n```\n\n### Write-Only Access to Events\n\nUse when your app only creates events (e.g., saving a booking) and does not\nneed to read existing events.\n\n```swift\nfunc requestWriteAccess() async throws -> Bool {\n    let granted = try await eventStore.requestWriteOnlyAccessToEvents()\n    return granted\n}\n```\n\n### Full Access to Reminders\n\n```swift\nfunc requestRemindersAccess() async throws -> Bool {\n    let granted = try await eventStore.requestFullAccessToReminders()\n    return granted\n}\n```\n\n### Checking Authorization Status\n\n```swift\nlet status = EKEventStore.authorizationStatus(for: .event)\n\nswitch status {\ncase .notDetermined:\n    // Request access\n    break\ncase .fullAccess:\n    // Read and write allowed\n    break\ncase .writeOnly:\n    // Write-only access granted (iOS 17+)\n    break\ncase .restricted:\n    // Parental controls or MDM restriction\n    break\ncase .denied:\n    // User denied -- direct to Settings\n    break\n@unknown default:\n    break\n}\n```\n\n## Creating Events\n\n```swift\nfunc createEvent(\n    title: String,\n    startDate: Date,\n    endDate: Date,\n    calendar: EKCalendar? = nil\n) throws {\n    let event = EKEvent(eventStore: eventStore)\n    event.title = title\n    event.startDate = startDate\n    event.endDate = endDate\n    event.calendar = calendar ?? eventStore.defaultCalendarForNewEvents\n\n    try eventStore.save(event, span: .thisEvent)\n}\n```\n\n### Setting a Specific Calendar\n\n```swift\n// List writable calendars\nlet calendars = eventStore.calendars(for: .event)\n    .filter { $0.allowsContentModifications }\n\n// Use the first writable calendar, or the default\nlet targetCalendar = calendars.first ?? eventStore.defaultCalendarForNewEvents\nevent.calendar = targetCalendar\n```\n\n### Adding Structured Location\n\n```swift\nimport CoreLocation\n\nlet location = EKStructuredLocation(title: \"Apple Park\")\nlocation.geoLocation = CLLocation(latitude: 37.3349, longitude: -122.0090)\nevent.structuredLocation = location\n```\n\n## Fetching Events\n\nUse a date-range predicate to query events. The `events(matching:)` method\nreturns occurrences of recurring events expanded within the range.\n\n```swift\nfunc fetchEvents(from start: Date, to end: Date) -> [EKEvent] {\n    let predicate = eventStore.predicateForEvents(\n        withStart: start,\n        end: end,\n        calendars: nil  // nil = all calendars\n    )\n    return eventStore.events(matching: predicate)\n        .sorted { $0.startDate < $1.startDate }\n}\n```\n\n### Fetching a Single Event by Identifier\n\n```swift\nif let event = eventStore.event(withIdentifier: savedEventID) {\n    print(event.title ?? \"No title\")\n}\n```\n\n## Reminders\n\n### Creating a Reminder\n\n```swift\nfunc createReminder(title: String, dueDate: Date) throws {\n    let reminder = EKReminder(eventStore: eventStore)\n    reminder.title = title\n    reminder.calendar = eventStore.defaultCalendarForNewReminders()\n\n    let dueDateComponents = Calendar.current.dateComponents(\n        [.year, .month, .day, .hour, .minute],\n        from: dueDate\n    )\n    reminder.dueDateComponents = dueDateComponents\n\n    try eventStore.save(reminder, commit: true)\n}\n```\n\n### Fetching Reminders\n\nReminder fetches are asynchronous and return through a completion handler.\n\n```swift\nfunc fetchIncompleteReminders() async -> [EKReminder] {\n    let predicate = eventStore.predicateForIncompleteReminders(\n        withDueDateStarting: nil,\n        ending: nil,\n        calendars: nil\n    )\n\n    return await withCheckedContinuation { continuation in\n        eventStore.fetchReminders(matching: predicate) { reminders in\n            continuation.resume(returning: reminders ?? [])\n        }\n    }\n}\n```\n\n### Completing a Reminder\n\n```swift\nfunc completeReminder(_ reminder: EKReminder) throws {\n    reminder.isCompleted = true\n    try eventStore.save(reminder, commit: true)\n}\n```\n\n## Recurrence Rules\n\nUse `EKRecurrenceRule` to create repeating events or reminders.\n\n### Simple Recurrence\n\n```swift\n// Every week, indefinitely\nlet weeklyRule = EKRecurrenceRule(\n    recurrenceWith: .weekly,\n    interval: 1,\n    end: nil\n)\nevent.addRecurrenceRule(weeklyRule)\n\n// Every 2 weeks, ending after 10 occurrences\nlet biweeklyRule = EKRecurrenceRule(\n    recurrenceWith: .weekly,\n    interval: 2,\n    end: EKRecurrenceEnd(occurrenceCount: 10)\n)\n\n// Monthly, ending on a specific date\nlet monthlyRule = EKRecurrenceRule(\n    recurrenceWith: .monthly,\n    interval: 1,\n    end: EKRecurrenceEnd(end: endDate)\n)\n```\n\n### Complex Recurrence\n\n```swift\n// Every Monday and Wednesday\nlet days = [\n    EKRecurrenceDayOfWeek(.monday),\n    EKRecurrenceDayOfWeek(.wednesday)\n]\n\nlet complexRule = EKRecurrenceRule(\n    recurrenceWith: .weekly,\n    interval: 1,\n    daysOfTheWeek: days,\n    daysOfTheMonth: nil,\n    monthsOfTheYear: nil,\n    weeksOfTheYear: nil,\n    daysOfTheYear: nil,\n    setPositions: nil,\n    end: nil\n)\nevent.addRecurrenceRule(complexRule)\n```\n\n### Editing Recurring Events\n\nWhen saving changes to a recurring event, specify the span:\n\n```swift\n// Change only this occurrence\ntry eventStore.save(event, span: .thisEvent)\n\n// Change this and all future occurrences\ntry eventStore.save(event, span: .futureEvents)\n```\n\n## Alarms\n\nAttach alarms to events or reminders to trigger notifications.\n\n```swift\n// 15 minutes before\nlet alarm = EKAlarm(relativeOffset: -15 * 60)\nevent.addAlarm(alarm)\n\n// At an absolute date\nlet absoluteAlarm = EKAlarm(absoluteDate: alertDate)\nevent.addAlarm(absoluteAlarm)\n```\n\n## EventKitUI Controllers\n\n### EKEventEditViewController — Create/Edit Events\n\nPresent the system event editor for creating or editing events.\n\n```swift\nimport EventKitUI\n\nclass EventEditorCoordinator: NSObject, EKEventEditViewDelegate {\n    let eventStore = EKEventStore()\n\n    func presentEditor(from viewController: UIViewController) {\n        let editor = EKEventEditViewController()\n        editor.eventStore = eventStore\n        editor.editViewDelegate = self\n        viewController.present(editor, animated: true)\n    }\n\n    func eventEditViewController(\n        _ controller: EKEventEditViewController,\n        didCompleteWith action: EKEventEditViewAction\n    ) {\n        switch action {\n        case .saved:\n            // Event saved\n            break\n        case .canceled:\n            break\n        case .deleted:\n            break\n        @unknown default:\n            break\n        }\n        controller.dismiss(animated: true)\n    }\n}\n```\n\n### EKEventViewController — View an Event\n\n```swift\nimport EventKitUI\n\nlet viewer = EKEventViewController()\nviewer.event = existingEvent\nviewer.allowsEditing = true\nnavigationController?.pushViewController(viewer, animated: true)\n```\n\n### EKCalendarChooser — Select Calendars\n\n```swift\nlet chooser = EKCalendarChooser(\n    selectionStyle: .multiple,\n    displayStyle: .allCalendars,\n    entityType: .event,\n    eventStore: eventStore\n)\nchooser.showsDoneButton = true\nchooser.showsCancelButton = true\nchooser.delegate = self\npresent(UINavigationController(rootViewController: chooser), animated: true)\n```\n\n## Observing Changes\n\nRegister for `EKEventStoreChanged` notifications to keep your UI in sync when\nevents are modified outside your app (e.g., by the Calendar app or a sync).\n\n```swift\nNotificationCenter.default.addObserver(\n    forName: .EKEventStoreChanged,\n    object: eventStore,\n    queue: .main\n) { [weak self] _ in\n    self?.refreshEvents()\n}\n```\n\nAlways re-fetch events after receiving this notification. Previously fetched\n`EKEvent` objects may be stale.\n\n## Common Mistakes\n\n### DON'T: Use the deprecated requestAccess(to:) method\n\n```swift\n// WRONG: Deprecated in iOS 17\neventStore.requestAccess(to: .event) { granted, error in }\n\n// CORRECT: Use the granular async methods\nlet granted = try await eventStore.requestFullAccessToEvents()\n```\n\n### DON'T: Save events to a read-only calendar\n\n```swift\n// WRONG: No check -- will throw if calendar is read-only\nevent.calendar = someCalendar\ntry eventStore.save(event, span: .thisEvent)\n\n// CORRECT: Verify the calendar allows modifications\nguard someCalendar.allowsContentModifications else {\n    event.calendar = eventStore.defaultCalendarForNewEvents\n    return\n}\nevent.calendar = someCalendar\ntry eventStore.save(event, span: .thisEvent)\n```\n\n### DON'T: Ignore timezone when creating events\n\n```swift\n// WRONG: Event appears at wrong time for traveling users\nevent.startDate = Date()\nevent.endDate = Date().addingTimeInterval(3600)\n\n// CORRECT: Set the timezone explicitly for location-specific events\nevent.timeZone = TimeZone(identifier: \"America/New_York\")\nevent.startDate = startDate\nevent.endDate = endDate\n```\n\n### DON'T: Forget to commit batched saves\n\n```swift\n// WRONG: Changes never persisted\ntry eventStore.save(event1, span: .thisEvent, commit: false)\ntry eventStore.save(event2, span: .thisEvent, commit: false)\n// Missing commit!\n\n// CORRECT: Commit after batching\ntry eventStore.save(event1, span: .thisEvent, commit: false)\ntry eventStore.save(event2, span: .thisEvent, commit: false)\ntry eventStore.commit()\n```\n\n### DON'T: Mix EKObjects from different event stores\n\n```swift\n// WRONG: Event fetched from storeA, saved to storeB\nlet event = storeA.event(withIdentifier: id)!\ntry storeB.save(event, span: .thisEvent) // Undefined behavior\n\n// CORRECT: Use the same store throughout\nlet event = eventStore.event(withIdentifier: id)!\ntry eventStore.save(event, span: .thisEvent)\n```\n\n## Review Checklist\n\n- [ ] Correct `Info.plist` usage description keys added for calendars and/or reminders\n- [ ] Authorization requested with iOS 17+ granular methods (`requestFullAccessToEvents`, `requestWriteOnlyAccessToEvents`, `requestFullAccessToReminders`)\n- [ ] Authorization status checked before fetching or saving\n- [ ] Single `EKEventStore` instance reused across the app\n- [ ] Events saved to a writable calendar (`allowsContentModifications` checked)\n- [ ] Recurring event saves specify correct `EKSpan` (`.thisEvent` vs `.futureEvents`)\n- [ ] Batched saves followed by explicit `commit()`\n- [ ] `EKEventStoreChanged` notification observed to refresh stale data\n- [ ] Timezone set explicitly for location-specific events\n- [ ] EKObjects not shared across different event store instances\n- [ ] EventKitUI delegates dismiss controllers in completion callbacks\n\n## References\n\n- Extended patterns (SwiftUI wrappers, predicate queries, batch operations): [references/eventkit-patterns.md](references/eventkit-patterns.md)\n- [EventKit framework](https://sosumi.ai/documentation/eventkit)\n- [EKEventStore](https://sosumi.ai/documentation/eventkit/ekeventstore)\n- [EKEvent](https://sosumi.ai/documentation/eventkit/ekevent)\n- [EKReminder](https://sosumi.ai/documentation/eventkit/ekreminder)\n- [EKRecurrenceRule](https://sosumi.ai/documentation/eventkit/ekrecurrencerule)\n- [EKCalendar](https://sosumi.ai/documentation/eventkit/ekcalendar)\n- [EventKit UI](https://sosumi.ai/documentation/eventkitui)\n- [EKEventEditViewController](https://sosumi.ai/documentation/eventkitui/ekeventeditviewcontroller)\n- [EKCalendarChooser](https://sosumi.ai/documentation/eventkitui/ekcalendarchooser)\n- [Accessing the event store](https://sosumi.ai/documentation/eventkit/accessing-the-event-store)\n- [Creating a recurring event](https://sosumi.ai/documentation/eventkit/creating-a-recurring-event)","tags":["eventkit","swift","ios","skills","dpearson2699","accessibility","agent-skills","ai-coding","apple","claude-code","codex-skills","cursor-skills"],"capabilities":["skill","source-dpearson2699","skill-eventkit","topic-accessibility","topic-agent-skills","topic-ai-coding","topic-apple","topic-claude-code","topic-codex-skills","topic-cursor-skills","topic-ios","topic-ios-development","topic-liquid-glass","topic-localization","topic-mapkit"],"categories":["swift-ios-skills"],"synonyms":[],"warnings":[],"endpointUrl":"https://skills.sh/dpearson2699/swift-ios-skills/eventkit","protocol":"skill","transport":"skills-sh","auth":{"type":"none","details":{"cli":"npx skills add dpearson2699/swift-ios-skills","source_repo":"https://github.com/dpearson2699/swift-ios-skills","install_from":"skills.sh"}},"qualityScore":"0.684","qualityRationale":"deterministic score 0.68 from registry signals: · indexed on github topic:agent-skills · 468 github stars · SKILL.md body (12,795 chars)","verified":false,"liveness":"unknown","lastLivenessCheck":null,"agentReviews":{"count":0,"score_avg":null,"cost_usd_avg":null,"success_rate":null,"latency_p50_ms":null,"narrative_summary":null,"summary_updated_at":null},"enrichmentModel":"deterministic:skill-github:v1","enrichmentVersion":1,"enrichedAt":"2026-04-22T00:53:42.899Z","embedding":null,"createdAt":"2026-04-18T22:00:58.689Z","updatedAt":"2026-04-22T00:53:42.899Z","lastSeenAt":"2026-04-22T00:53:42.899Z","tsv":"'-122.0090':401 '-15':717 '/documentation/eventkit)':1220 '/documentation/eventkit/accessing-the-event-store)':1260 '/documentation/eventkit/creating-a-recurring-event)':1267 '/documentation/eventkit/ekcalendar)':1240 '/documentation/eventkit/ekevent)':1228 '/documentation/eventkit/ekeventstore)':1224 '/documentation/eventkit/ekrecurrencerule)':1236 '/documentation/eventkit/ekreminder)':1232 '/documentation/eventkitui)':1245 '/documentation/eventkitui/ekcalendarchooser)':1253 '/documentation/eventkitui/ekeventeditviewcontroller)':1249 '0.allowscontentmodifications':369 '0.startdate':455 '1':589,624,648 '1.startdate':456 '10':599,611 '15':710 '16':151 '17':141,187,300,916,1132 '2':595,607 '26':65 '3600':1004 '37.3349':399 '6.3':63 '60':718 'absolut':723 'absolutealarm':726,731 'absoluted':728 'access':32,124,129,190,198,217,253,283,297,1254 'across':1149,1193 'action':778,781 'ad':16,384,1123 'add':115 'addingtimeinterv':1003 'alarm':39,57,88,89,699,701,714,720 'alertd':729 'allcalendar':828 'allow':290,967 'allowscontentmodif':1158 'also':148,154 'alway':885 'america/new_york':1018 'and/or':1126 'anim':771,797,816,843 'app':147,223,863,868,1151 'appear':992 'appl':394 'async':195,204,242,259,527,927 'asynchron':517 'attach':700 'author':50,69,70,185,270,1128,1138 'await':210,248,265,539,932 'base':121 'batch':1028,1054,1169,1212 'behavior':1099 'biweeklyrul':602 'book':230 'bool':206,244,261 'break':284,291,301,309,317,320,786,789,792,795 'calendar':6,22,29,37,45,332,348,358,362,364,374,445,449,536,820,867,943,951,966,1125,1157 'calendar.current.datecomponents':497 'calendars.first':380 'callback':1204 'cancel':788 'case':280,285,292,302,310,782,787,790 'chang':96,99,670,679,688,846,1032 'check':269,947,1140,1159 'checklist':106,109,1117 'choos':36 'chooser':823,842 'chooser.delegate':837 'chooser.showscancelbutton':835 'chooser.showsdonebutton':833 'class':750 'cllocat':397 'commit':510,565,1027,1040,1047,1050,1052,1060,1067,1174 'common':100,103,901 'common-mistak':102 'complet':522,551,1203 'completeremind':556 'complex':629 'complexrul':643,664 'content':66 'continu':541 'continuation.resume':548 'control':91,94,305,733,775,1201 'controller.dismiss':796 'coreloc':389 'correct':923,963,1005,1051,1100,1118,1164 'cover':49 'creat':2,23,41,71,74,163,225,321,475,572,743,987,1261 'create/edit':735 'createev':325 'createremind':480 'creating-ev':73 'crud':54 'data':1181 'date':329,331,409,433,436,484,617,724,1000,1002 'date-rang':408 'day':500,637,650 'daysofthemonth':651 'daysoftheweek':649 'daysoftheyear':657 'default':319,377,794 'deleg':1199 'delet':791 'deni':311,313 'deprec':907,913 'descript':119,1121 'didcompletewith':777 'differ':176,1076,1194 'direct':314 'dismiss':1200 'displaystyl':827 'duedat':483,504 'duedatecompon':496,506 'e.g':227,864 'earlier':153 'edit':665,745 'editor':35,60,741,763,770 'editor.editviewdelegate':767 'editor.eventstore':765 'ekalarm':715,727 'ekcalendar':333,1237 'ekcalendarchoos':818,824,1250 'ekev':338,437,896,1225 'ekeventeditviewact':779 'ekeventeditviewcontrol':734,764,776,1246 'ekeventeditviewdeleg':753 'ekeventstor':166,184,756,1146,1221 'ekeventstore.authorizationstatus':275 'ekeventstorechang':849,875,1175 'ekeventviewcontrol':799,808 'ekobject':1074,1190 'ekrecurrencedayofweek':638,640 'ekrecurrenceend':609,626 'ekrecurrencerul':570,585,603,620,644,1233 'ekremind':488,528,558,1229 'ekspan':1165 'ekstructuredloc':392 'els':971 'end':435,443,444,534,590,597,608,613,625,627,661 'enddat':330,346,628,1022 'entitytyp':829 'error':921 'event':7,17,34,46,51,72,75,77,80,134,139,161,177,200,219,226,238,277,322,337,352,367,405,414,416,423,460,466,574,667,674,685,696,703,736,740,746,784,802,830,858,889,919,937,960,979,988,991,1014,1077,1081,1089,1095,1107,1113,1152,1161,1189,1195,1256,1264 'event.addalarm':719,730 'event.addrecurrencerule':592,663 'event.calendar':347,382,956,972,975 'event.enddate':345,1001,1021 'event.startdate':343,999,1019 'event.structuredlocation':402 'event.timezone':1015 'event.title':341,471 'event1':1037,1057 'event2':1044,1064 'eventeditorcoordin':751 'eventeditviewcontrol':774 'eventkit':1,11,40,181,1216,1241 'eventkitui':13,59,90,93,732,749,805,1198 'eventkitui-control':92 'eventstor':183,339,340,489,490,755,766,831,832,877 'eventstore.calendars':365 'eventstore.commit':1070 'eventstore.defaultcalendarfornewevents':349,381,973 'eventstore.defaultcalendarfornewreminders':494 'eventstore.event':467,1108 'eventstore.events':451 'eventstore.fetchreminders':543 'eventstore.predicateforevents':440 'eventstore.predicateforincompletereminders':531 'eventstore.requestaccess':917 'eventstore.requestfullaccesstoevents':211,933 'eventstore.requestfullaccesstoreminders':266 'eventstore.requestwriteonlyaccesstoevents':249 'eventstore.save':351,508,563,684,695,959,978,1036,1043,1056,1063,1112 'everi':580,594,632 'exist':237 'existingev':810 'expand':424 'explicit':1009,1173,1184 'extend':1206 'fals':1041,1048,1061,1068 'fetch':76,79,404,457,512,515,888,895,1082,1142 'fetchev':430 'fetchincompleteremind':526 'fetching-ev':78 'filter':368 'first':372 'follow':1171 'forget':1025 'fornam':874 'framework':1217 'full':197,252 'fullaccess':286 'func':202,240,257,324,429,479,525,555,757,773 'futur':692 'futureev':698,1168 'grant':208,213,246,251,263,268,298,920,930 'granular':189,926,1133 'guard':969 'handl':38 'handler':523 'hour':501 'id':1092,1110 'identifi':462,1017 'ignor':984 'import':180,388,748,804 'includ':155 'indefinit':582 'info.plist':113,1119 'instanc':167,1147,1197 'interv':588,606,623,647 'introduc':188 'io':64,140,150,186,299,915,1131 'keep':852 'key':114,128,160,1122 'latitud':398 'legaci':157 'let':182,207,245,262,273,336,363,378,390,438,465,486,495,529,583,601,618,636,642,713,725,754,762,806,822,929,1088,1106 'level':125,130,191 'list':360 'locat':386,391,403,1012,1187 'location-specif':1011,1186 'location.geolocation':396 'longitud':400 'main':879 'manag':5,44 'match':417,452,544 'may':898 'mdm':307 'method':196,418,910,928,1134 'minut':502,711 'miss':1049 'mistak':101,104,902 'mix':173,1073 'modern':194 'modif':968 'modifi':860 'monday':633,639 'month':499,612,622 'monthlyrul':619 'monthsoftheyear':653 'multipl':826 'navigationcontrol':813 'need':127,234 'never':1033 'nil':334,446,447,533,535,537,591,652,654,656,658,660,662 'notdetermin':281 'notif':708,850,893,1176 'notificationcenter.default.addobserver':873 'nscalendarsfullaccessusagedescript':131 'nscalendarsusagedescript':158 'nscalendarswriteonlyaccessusagedescript':135 'nsobject':752 'nsremindersfullaccessusagedescript':142 'nsremindersusagedescript':159 'object':174,876,897 'observ':95,98,845,1177 'observing-chang':97 'occurr':420,600,682,693 'occurrencecount':610 'oper':1213 'outsid':861 'parent':304 'park':395 'pattern':1207 'persist':1034 'predic':411,439,453,530,545,1210 'present':33,737,839 'presenteditor':758 'previous':894 'print':470 'pushviewcontrol':814 'queri':413,1211 'queue':878 'rang':410,427 're':887 're-fetch':886 'read':3,42,132,143,236,287,941,954 'read-on':940,953 'receiv':891 'recur':422,666,673,1160,1263 'recurr':26,55,83,86,567,578,630 'recurrence-rul':85 'recurrencewith':586,604,621,645 'refer':110,111,1205 'references/eventkit-patterns.md':1214,1215 'refresh':1179 'refreshev':884 'regist':847 'relativeoffset':716 'remind':9,24,31,48,53,81,82,145,255,474,477,487,509,513,514,546,550,553,557,564,576,705,1127 'reminder.calendar':493 'reminder.duedatecomponents':505 'reminder.iscompleted':560 'reminder.title':491 'repeat':573 'request':28,282,1129 'requestaccess':908 'requestcalendaraccess':203 'requestfullaccesstoev':1135 'requestfullaccesstoremind':1137 'requestremindersaccess':258 'requestwriteaccess':241 'requestwriteonlyaccesstoev':1136 'requir':117 'restrict':303,308 'return':212,250,267,419,450,519,538,549,974 'reus':169,1148 'review':105,108,1116 'review-checklist':107 'rootviewcontrol':841 'rule':27,56,84,87,568 'save':228,669,783,785,936,1029,1085,1144,1153,1162,1170 'savedeventid':469 'select':819 'selectionstyl':825 'self':768,838,881,883 'set':25,316,355,1006,1183 'setposit':659 'setup':67,68,112 'share':1192 'simpl':577 'singl':165,459,1145 'skill' 'skill-eventkit' 'somecalendar':957,976 'somecalendar.allowscontentmodifications':970 'sort':454 'sosumi.ai':1219,1223,1227,1231,1235,1239,1244,1248,1252,1259,1266 'sosumi.ai/documentation/eventkit)':1218 'sosumi.ai/documentation/eventkit/accessing-the-event-store)':1258 'sosumi.ai/documentation/eventkit/creating-a-recurring-event)':1265 'sosumi.ai/documentation/eventkit/ekcalendar)':1238 'sosumi.ai/documentation/eventkit/ekevent)':1226 'sosumi.ai/documentation/eventkit/ekeventstore)':1222 'sosumi.ai/documentation/eventkit/ekrecurrencerule)':1234 'sosumi.ai/documentation/eventkit/ekreminder)':1230 'sosumi.ai/documentation/eventkitui)':1243 'sosumi.ai/documentation/eventkitui/ekcalendarchooser)':1251 'sosumi.ai/documentation/eventkitui/ekeventeditviewcontroller)':1247 'source-dpearson2699' 'span':353,677,686,697,961,980,1038,1045,1058,1065,1096,1114 'specif':357,616,1013,1188 'specifi':675,1163 'stale':900,1180 'start':432,442 'startdat':328,344,1020 'status':271,274,279,1139 'store':162,178,1078,1104,1196,1257 'storea':1084 'storea.event':1090 'storeb':1087 'storeb.save':1094 'string':120,327,482 'structur':385 'swift':62,179,201,239,256,272,323,359,387,428,463,478,524,554,579,631,678,709,747,803,821,872,911,944,989,1030,1079 'swiftui':1208 'switch':278,780 'sync':856,871 'system':739 'target':61,149 'targetcalendar':379,383 'thisev':354,687,962,981,1039,1046,1059,1066,1097,1115,1166 'throughout':1105 'throw':205,243,260,335,485,559,949 'time':995 'timezon':985,1008,1016,1182 'titl':326,342,393,473,481,492 'topic-accessibility' 'topic-agent-skills' 'topic-ai-coding' 'topic-apple' 'topic-claude-code' 'topic-codex-skills' 'topic-cursor-skills' 'topic-ios' 'topic-ios-development' 'topic-liquid-glass' 'topic-localization' 'topic-mapkit' 'travel':997 'tri':209,247,264,350,507,562,683,694,931,958,977,1035,1042,1055,1062,1069,1093,1111 'trigger':707 'true':511,561,566,772,798,812,817,834,836,844 'ui':854,1242 'uinavigationcontrol':840 'uiviewcontrol':761 'undefin':1098 'unknown':318,793 'usag':118,1120 'use':10,14,192,220,370,406,569,905,924,1101 'user':20,312,998 'verifi':964 'view':800 'viewcontrol':760 'viewcontroller.present':769 'viewer':807,815 'viewer.allowsediting':811 'viewer.event':809 'vs':1167 'weak':880 'wednesday':635,641 'week':581,587,596,605,646 'weeklyrul':584,593 'weeksoftheyear':655 'withcheckedcontinu':540 'withduedatestart':532 'withidentifi':468,1091,1109 'within':425 'withstart':441 'wrapper':1209 'writabl':361,373,1156 'write':133,137,144,215,289,295 'write-on':136,214,294 'writeon':293 'wrong':912,945,990,994,1031,1080 'year':498","prices":[{"id":"5dbba449-5295-4fd2-ad08-98742a61ec80","listingId":"4106ac5c-a3b0-42ee-ac77-cb06ed453283","amountUsd":"0","unit":"free","nativeCurrency":null,"nativeAmount":null,"chain":null,"payTo":null,"paymentMethod":"skill-free","isPrimary":true,"details":{"org":"dpearson2699","category":"swift-ios-skills","install_from":"skills.sh"},"createdAt":"2026-04-18T22:00:58.689Z"}],"sources":[{"listingId":"4106ac5c-a3b0-42ee-ac77-cb06ed453283","source":"github","sourceId":"dpearson2699/swift-ios-skills/eventkit","sourceUrl":"https://github.com/dpearson2699/swift-ios-skills/tree/main/skills/eventkit","isPrimary":false,"firstSeenAt":"2026-04-18T22:00:58.689Z","lastSeenAt":"2026-04-22T00:53:42.899Z"}],"details":{"listingId":"4106ac5c-a3b0-42ee-ac77-cb06ed453283","quickStartSnippet":null,"exampleRequest":null,"exampleResponse":null,"schema":null,"openapiUrl":null,"agentsTxtUrl":null,"citations":[],"useCases":[],"bestFor":[],"notFor":[],"kindDetails":{"org":"dpearson2699","slug":"eventkit","github":{"repo":"dpearson2699/swift-ios-skills","stars":468,"topics":["accessibility","agent-skills","ai-coding","apple","claude-code","codex-skills","cursor-skills","ios","ios-development","liquid-glass","localization","mapkit","networking","storekit","swift","swift-concurrency","swiftdata","swiftui","widgetkit","xcode"],"license":"other","html_url":"https://github.com/dpearson2699/swift-ios-skills","pushed_at":"2026-04-21T19:26:16Z","description":"Agent Skills for iOS 26+, Swift 6.3, SwiftUI, and modern Apple frameworks","skill_md_sha":"5b2f20884ca729fe8ae223edb6a201aba9719d01","skill_md_path":"skills/eventkit/SKILL.md","default_branch":"main","skill_tree_url":"https://github.com/dpearson2699/swift-ios-skills/tree/main/skills/eventkit"},"layout":"multi","source":"github","category":"swift-ios-skills","frontmatter":{"name":"eventkit","description":"Create, read, and manage calendar events and reminders using EventKit and EventKitUI. Use when adding events to the user's calendar, creating reminders, setting recurrence rules, requesting calendar or reminders access, presenting event editors, choosing calendars, handling alarms, observing calendar changes, or working with EKEventStore, EKEvent, EKReminder, EKCalendar, EKRecurrenceRule, EKEventEditViewController, EKCalendarChooser, or EventKitUI views."},"skills_sh_url":"https://skills.sh/dpearson2699/swift-ios-skills/eventkit"},"updatedAt":"2026-04-22T00:53:42.899Z"}}