The Calendar module provides an API for accessing the native calendar functionality.
This module supports retrieving information about existing events and creating new events. Modifying or deleting existing events and creating recurring events are only supported on iOS.
Currently, on Android, calendar permissions must be explicitly configured in tiapp.xml
in order to access the
calendar. See "Common Requirements" in
tiapp.xml and timodule.xml Reference.
Print the names of all calendars, and the names of calendars that have been selected in the native Android calendar application.
function showCalendars(calendars) {
for (var i = 0; i < calendars.length; i++) {
Ti.API.info(calendars[i].name);
}
}
Ti.API.info('ALL CALENDARS:');
showCalendars(Ti.Calendar.allCalendars);
if (Ti.Platform.osname === 'android') {
Ti.API.info('SELECTABLE CALENDARS:');
showCalendars(Ti.Calendar.selectableCalendars);
}
Creates an event and adds an e-mail reminder for 10 minutes before the event.
var CALENDAR_TO_USE = 3;
var calendar = Ti.Calendar.getCalendarById(CALENDAR_TO_USE);
// Create the event
var eventBegins = new Date(2010, 11, 26, 12, 0, 0);
var eventEnds = new Date(2010, 11, 26, 14, 0, 0);
var details = {
title: 'Do some stuff',
description: "I'm going to do some stuff at this time.",
begin: eventBegins,
end: eventEnds
};
var event = calendar.createEvent(details);
// Now add a reminder via e-mail for 10 minutes before the event.
var reminderDetails = {
minutes: 10,
method: Ti.Calendar.METHOD_EMAIL
};
event.createReminder(reminderDetails);
Create a picker to allow an existing calendar to be selected and, when a button is clicked, generate details of all events in that calendar for the current year .
var calendars = [];
var selectedCalendarName;
var selectedid;
var pickerData = [];
var osname = Ti.Platform.osname;
//**read events from calendar*******
function performCalendarReadFunctions(){
var scrollView = Ti.UI.createScrollView({
backgroundColor: '#eee',
height: 500,
top: 20
});
var label = Ti.UI.createLabel({
backgroundColor: 'white',
text: 'Click on the button to display the events for the selected calendar',
textAlign: Ti.UI.TEXT_ALIGNMENT_CENTER,
top: 20
});
scrollView.add(label);
var selectableCalendars = Ti.Calendar.allCalendars;
for (var i = 0, ilen = selectableCalendars.length; i < ilen; i++) {
calendars.push({ name: selectableCalendars[i].name, id: selectableCalendars[i].id });
pickerData.push( Ti.UI.createPickerRow({ title: calendars[i].name }) );
if(i === 0){
selectedCalendarName = selectableCalendars[i].name;
selectedid = selectableCalendars[i].id;
}
}
if(!calendars.length){
label.text = 'No calendars available. Select at least one in the native calendar before using this app';
} else {
label.text = 'Click button to view calendar events';
var picker = Ti.UI.createPicker({
top:20
});
picker.add(pickerData);
win.add(picker);
picker.addEventListener('change', function(e){
for (var i = 0, ilen = calendars.length; i < ilen; i++) {
if(calendars[i].name === e.row.title){
selectedCalendarName = calendars[i].name;
selectedid = calendars[i].id;
Ti.API.info('Selected calendar that we are going to fetch is :: '+ selectedid + ' name:' + selectedCalendarName);
}
}
});
var button = Ti.UI.createButton({
title: 'View events',
top: 20
});
win.add(button);
button.addEventListener('click', function(e){
label.text = 'Generating...';
var currentYear = new Date().getFullYear();
var consoleString = '';
function print(s) {
if (consoleString.length) {
consoleString = consoleString + '\n';
}
consoleString = consoleString + s;
}
var calendar = Ti.Calendar.getCalendarById(selectedid);
Ti.API.info('Calendar was of type' + calendar);
Ti.API.info('calendar that we are going to fetch is :: '+ calendar.id + ' name:' + calendar.name);
function printReminder(r) {
if (osname === 'android') {
var typetext = '[method unknown]';
if (r.method == Ti.Calendar.METHOD_EMAIL) {
typetext = 'Email';
} else if (r.method == Ti.Calendar.METHOD_SMS) {
typetext = 'SMS';
} else if (r.method == Ti.Calendar.METHOD_ALERT) {
typetext = 'Alert';
} else if (r.method == Ti.Calendar.METHOD_DEFAULT) {
typetext = '[default reminder method]';
}
print(typetext + ' reminder to be sent ' + r.minutes + ' minutes before the event');
}
}
function printAlert(a) {
if (osname === 'android') {
print('Alert id ' + a.id + ' begin ' + a.begin + '; end ' + a.end + '; alarmTime ' + a.alarmTime + '; minutes ' + a.minutes);
} else if (osname === 'iphone' || osname === 'ipad') {
print('Alert absoluteDate ' + a.absoluteDate + ' relativeOffset ' + a.relativeOffset);
}
}
function printEvent(event) {
if (event.allDay) {
print('Event: ' + event.title + '; ' + event.begin + ' (all day)');
} else {
print('Event: ' + event.title + '; ' + event.begin + ' ' + event.begin+ '-' + event.end);
}
var reminders = event.reminders;
if (reminders && reminders.length) {
print('There is/are ' + reminders.length + ' reminder(s)');
for (var i = 0; i < reminders.length; i++) {
printReminder(reminders[i]);
}
}
print('hasAlarm? ' + event.hasAlarm);
var alerts = event.alerts;
if (alerts && alerts.length) {
for (var i = 0; i < alerts.length; i++) {
printAlert(alerts[i]);
}
}
var status = event.status;
if (status == Ti.Calendar.STATUS_TENTATIVE) {
print('This event is tentative');
}
if (status == Ti.Calendar.STATUS_CONFIRMED) {
print('This event is confirmed');
}
if (status == Ti.Calendar.STATUS_CANCELED) {
print('This event was canceled');
}
}
var events = calendar.getEventsInYear(currentYear);
if (events && events.length) {
print(events.length + ' event(s) in ' + currentYear);
print('');
for (var i = 0; i < events.length; i++) {
printEvent(events[i]);
print('');
}
} else {
print('No events');
}
label.text = consoleString;
});
}
win.add(scrollView);
}
var win = Ti.UI.createWindow({
backgroundColor: 'white',
exitOnClose: true,
fullscreen: false,
layout: 'vertical',
title: 'Calendar Demo'
});
if (Ti.Calendar.hasCalendarPermissions()) {
performCalendarReadFunctions();
} else {
Ti.Calendar.requestCalendarPermissions(function(e) {
if (e.success) {
performCalendarReadFunctions();
} else {
Ti.API.error(e.error);
alert('Access to calendar is not allowed');
}
});
}
win.open();
Create a recurring event with alerts.
function printEventDetails(eventID) {
Ti.API.info('eventID:' + eventID);
var defCalendar = Ti.Calendar.defaultCalendar;
var eventFromCalendar = defCalendar.getEventById(eventID);
if (eventFromCalendar != null) {
Ti.API.info('Printing event values ::');
Ti.API.info('title : '+ eventFromCalendar.title);
Ti.API.info('notes : ' + eventFromCalendar.notes);
Ti.API.info('location:' + eventFromCalendar.location);
Ti.API.info('allDay ? :' + eventFromCalendar.allDay);
Ti.API.info('status : '+ eventFromCalendar.status);
Ti.API.info('availability : '+ eventFromCalendar.availability);
Ti.API.info('hasAlarm ? : '+ eventFromCalendar.hasAlarm);
Ti.API.info('id : '+ eventFromCalendar.id);
Ti.API.info('isDetached ? : '+ eventFromCalendar.isDetached);
Ti.API.info('begin : '+ eventFromCalendar.begin);
Ti.API.info('end : '+ eventFromCalendar.end);
var eventRule = eventFromCalendar.recurrenceRules;
Ti.API.info("recurrenceRules : " + eventRule);
for (var i = 0; i < eventRule.length; i++) {
Ti.API.info("Rule # "+ i);
Ti.API.info('frequency : ' + eventRule[i].frequency);
Ti.API.info('interval : ' + eventRule[i].interval);
Ti.API.info('daysofTheWeek : ' );
var daysofTheWeek = eventRule[i].daysOfTheWeek;
for (var j = 0; j < daysofTheWeek.length; j++) {
Ti.API.info('{ dayOfWeek : '+ daysofTheWeek[j].dayOfWeek +'weekNumber : '+daysofTheWeek[j].week +'}, ');
}
Ti.API.info('firstDayOfTheWeek : ' + eventRule[i].firstDayOfTheWeek);
Ti.API.info('daysOfTheMonth : ');
var daysOfTheMonth = eventRule[i].daysOfTheMonth;
for(var j=0;j<daysOfTheMonth.length;j++) {
Ti.API.info(' ' + daysOfTheMonth[j]);
}
Ti.API.info('daysOfTheYear : ');
var daysOfTheYear = eventRule[i].daysOfTheYear;
for(var j=0;i<daysOfTheYear.length;j++) {
Ti.API.info(' ' + daysOfTheYear[j]);
}
Ti.API.info('weeksOfTheYear : ');
var weeksOfTheYear = eventRule[i].weeksOfTheYear;
for(var j=0;j<weeksOfTheYear.length;j++) {
Ti.API.info(' ' + weeksOfTheYear[j]);
}
Ti.API.info('monthsOfTheYear : ');
var monthsOfTheYear = eventRule[i].monthsOfTheYear;
for(var j=0;j<monthsOfTheYear.length;j++) {
Ti.API.info(' ' + monthsOfTheYear[j]);
}
Ti.API.info('daysOfTheYear : ');
var setPositions = eventRule[i].setPositions;
for(var j=0;j<setPositions.length;j++) {
Ti.API.info(' ' + setPositions[j]);
}
};
Ti.API.info('alerts : '+ eventFromCalendar.alerts);
var newAlerts = eventFromCalendar.alerts;
for(var i=0 ; i < newAlerts.length ; i++) {
Ti.API.info('*****ALert '+ i);
Ti.API.info('absoluteDate :'+ newAlerts[i].absoluteDate);
Ti.API.info('relativeOffset ;' + newAlerts[i].relativeOffset);
}
}
}
function performCalendarWriteFunctions(){
var defCalendar = Ti.Calendar.defaultCalendar;
var date1 = new Date(new Date().getTime() + 3000),
date2 = new Date(new Date().getTime() + 900000);
Ti.API.info('Date1 : '+ date1 + 'Date2 : '+ date2);
var event1 = defCalendar.createEvent({
title: 'Sample Event',
notes: 'This is a test event which has some values assigned to it.',
location: 'Appcelerator Inc',
begin: date1,
end: date2,
availability: Ti.Calendar.AVAILABILITY_FREE,
allDay: false,
});
var alert1 = event1.createAlert({
absoluteDate: new Date(new Date().getTime() - (1000*60*20))
});
var alert2 = event1.createAlert({
relativeOffset:-(60*15)
})
var allAlerts = new Array(alert1,alert2);
event1.alerts = allAlerts;
var newRule = event1.createRecurrenceRule({
frequency: Ti.Calendar.RECURRENCEFREQUENCY_MONTHLY,
interval: 1,
daysOfTheWeek: [{dayOfWeek:1,week:2},{dayOfWeek:2}],
end: {occurrenceCount:10}
});
Ti.API.info('newRule : '+ newRule);
event1.recurrenceRules = [newRule];
Ti.API.info('Going to save event now');
event1.save(Ti.Calendar.SPAN_THISEVENT);
Ti.API.info('Done with saving event,\n Now trying to retreive it.');
printEventDetails(event1.id);
}
var win = Ti.UI.createWindow({
backgroundColor: 'white',
title: 'Calendar Demo'
});
var label = Ti.UI.createLabel({
text: 'Check console log',
height: Ti.UI.size,
width: Ti.UI.size
});
win.add(label);
if (Ti.Calendar.hasCalendarPermissions()) {
performCalendarReadFunctions();
} else {
Ti.Calendar.requestCalendarPermissions(function(e) {
if (e.success) {
performCalendarReadFunctions();
} else {
alert('Access to calendar is not allowed');
}
});
}
win.open();
Attendee is not a participant.
Attendee is not a participant.
Attendee role is optional.
Attendee role is optional.
Attendee role is required.
Attendee role is required.
Attendee role is unknown.
Attendee role is unknown.
Attendee status is accepted.
Attendee status is accepted.
Attendee status is declined.
Attendee status is declined.
Attendee status is delegated.
Attendee status is delegated.
Attendee status is invited.
Attendee status is invited.
Attendee status is in process.
Attendee status is in process.
There is no Attendee status.
There is no Attendee status.
Attendee status is pending.
Attendee status is pending.
Attendee status is tentative.
Attendee status is tentative.
Attendee status is unknown.
Attendee status is unknown.
Attendee type is resource.
Attendee type is resource.
Attendee type is unknown.
Attendee type is unknown.
A eventsAuthorization value indicating that the application is authorized to use events in the Calendar.
A eventsAuthorization value indicating that the application is authorized to use events in the Calendar.
This value is always returned if the device is running an iOS release prior to 6.0.
A eventsAuthorization value indicating that the application is not authorized to use events in the Calendar.
A eventsAuthorization value indicating that the application is not authorized to use events in the Calendar.
A eventsAuthorization value indicating that the application is not authorized to use events in the Calendar. the user cannot change this application's status.
A eventsAuthorization value indicating that the authorization state is unknown.
A eventsAuthorization value indicating that the authorization state is unknown.
Event has a busy availability setting.
Event has a busy availability setting.
A event availability value.
One of the group of event method constants, AVAILABILITY_NOTSUPPORTED, AVAILABILITY_BUSY, AVAILABILITY_FREE, AVAILABILITY_TENTATIVE, and AVAILABILITY_UNAVAILABLE.
Event has a free availability setting.
Event has a free availability setting.
A event availability value.
One of the group of event method constants, AVAILABILITY_NOTSUPPORTED, AVAILABILITY_BUSY, AVAILABILITY_FREE, AVAILABILITY_TENTATIVE, and AVAILABILITY_UNAVAILABLE.
Availability settings are not supported by the event's calendar.
Availability settings are not supported by the event's calendar.
A event availability value.
One of the group of event method constants, AVAILABILITY_NOTSUPPORTED, AVAILABILITY_BUSY, AVAILABILITY_FREE, AVAILABILITY_TENTATIVE, and AVAILABILITY_UNAVAILABLE.
Event has a tentative availability setting.
Event has a tentative availability setting.
A event availability value.
One of the group of event method constants, AVAILABILITY_NOTSUPPORTED, AVAILABILITY_BUSY, AVAILABILITY_FREE, AVAILABILITY_TENTATIVE, and AVAILABILITY_UNAVAILABLE.
Event has a tentative availability setting.
Event has a tentative availability setting.
A event availability value.
One of the group of event method constants, AVAILABILITY_NOTSUPPORTED, AVAILABILITY_BUSY, AVAILABILITY_FREE, AVAILABILITY_TENTATIVE, and AVAILABILITY_UNAVAILABLE.
Reminder alert delivery method.
Reminder alert delivery method.
Used with Titanium.Calendar.Reminder.
One of the group of reminder method constants, METHOD_ALERT, METHOD_DEFAULT, METHOD_EMAIL, and METHOD_SMS.
Reminder default delivery method.
Reminder default delivery method.
Used with Titanium.Calendar.Reminder.
One of the group of reminder method constants, METHOD_ALERT, METHOD_DEFAULT, METHOD_EMAIL, and METHOD_SMS.
Reminder email delivery method.
Reminder email delivery method.
Used with Titanium.Calendar.Reminder.
One of the group of reminder method constants, METHOD_ALERT, METHOD_DEFAULT, METHOD_EMAIL, and METHOD_SMS.
Reminder SMS delivery method.
Reminder SMS delivery method.
Used with Titanium.Calendar.Reminder.
One of the group of reminder method constants, METHOD_ALERT, METHOD_DEFAULT, METHOD_EMAIL, and METHOD_SMS.
Indicates a daily recurrence rule for a events reccurance frequency.
Indicates a daily recurrence rule for a events reccurance frequency.
Used with the Titanium.Calendar.RecurrenceRule.frequency property.
One of the group of event "frequency" constants RECURRENCEFREQUENCY_DAILY, RECURRENCEFREQUENCY_WEEKLY, RECURRENCEFREQUENCY_MONTHLY, and RECURRENCEFREQUENCY_YEARLY.
Indicates a monthly recurrence rule for a events reccurance frequency.
Indicates a monthly recurrence rule for a events reccurance frequency.
Used with the Titanium.Calendar.RecurrenceRule.frequency property.
One of the group of event "frequency" constants RECURRENCEFREQUENCY_DAILY, RECURRENCEFREQUENCY_WEEKLY, RECURRENCEFREQUENCY_MONTHLY, and RECURRENCEFREQUENCY_YEARLY.
Indicates a weekly recurrence rule for a events reccurance frequency.
Indicates a weekly recurrence rule for a events reccurance frequency.
Used with the Titanium.Calendar.RecurrenceRule.frequency property.
One of the group of event "frequency" constants RECURRENCEFREQUENCY_DAILY, RECURRENCEFREQUENCY_WEEKLY, RECURRENCEFREQUENCY_MONTHLY, and RECURRENCEFREQUENCY_YEARLY.
Indicates a yearly recurrence rule for a events reccurance frequency.
Indicates a yearly recurrence rule for a events reccurance frequency.
Used with the Titanium.Calendar.RecurrenceRule.frequency property.
One of the group of event "frequency" constants RECURRENCEFREQUENCY_DAILY, RECURRENCEFREQUENCY_WEEKLY, RECURRENCEFREQUENCY_MONTHLY, and RECURRENCEFREQUENCY_YEARLY.
A birthday calendar source.
A birthday calendar source.
A microsoft exchange calendar source.
A microsoft exchange calendar source.
A mobileMe calendar source.
A mobileMe calendar source.
A subscribed calendar source.
A subscribed calendar source.
Alert dismissed state.
Alert dismissed state.
Used with Titanium.Calendar.Alert.
One of the group of reminder method constants, STATE_DISMISSED, STATE_FIRED, and STATE_SCHEDULED.
Alert fired state.
Alert fired state.
Used with Titanium.Calendar.Alert.
One of the group of reminder method constants, STATE_DISMISSED, STATE_FIRED, and STATE_SCHEDULED.
Alert scheduled status.
Alert scheduled status.
Used with Titanium.Calendar.Alert.
One of the group of reminder method constants, STATE_DISMISSED, STATE_FIRED, and STATE_SCHEDULED.
Event canceled status.
Event canceled status.
A [event status]Titanium.Calendar.Event.status value.
One of the group of event "status" constants, STATUS_NONE, STATUS_CANCELED, STATUS_CONFIRMED, and STATUS_TENTATIVE.
Event canceled status.
Event canceled status.
This property has been removed since 7.0.0
Use <Titanium.Calendar.STATUS_CANCELED> instead.
A [event status]Titanium.Calendar.Event.status value.
One of the group of event "status" constants, STATUS_NONE, STATUS_CANCELED, STATUS_CONFIRMED, and STATUS_TENTATIVE.
Event confirmed status.
Event confirmed status.
A [event status]Titanium.Calendar.Event.status value.
One of the group of event "status" constants, STATUS_NONE, STATUS_CANCELED, STATUS_CONFIRMED, and STATUS_TENTATIVE.
Event has no status.
Event has no status.
A [event status]Titanium.Calendar.Event.status value.
One of the group of event "status" constants, STATUS_CANCELED, STATUS_CONFIRMED, and STATUS_TENTATIVE.
Event tentative status.
Event tentative status.
A [event status]Titanium.Calendar.Event.status value.
One of the group of event "status" constants, STATUS_NONE, STATUS_CANCELED, STATUS_CONFIRMED, and STATUS_TENTATIVE.
Event confidential visibility.
Event confidential visibility.
Used with Titanium.Calendar.Event.
One of the group of reminder method constants, VISIBILITY_CONFIDENTIAL, VISIBILITY_DEFAULT, VISIBILITY_PRIVATE, and VISIBILITY_PUBLIC.
Event default visibility.
Event default visibility.
Used with Titanium.Calendar.Event.
One of the group of reminder method constants, VISIBILITY_CONFIDENTIAL, VISIBILITY_DEFAULT, VISIBILITY_PRIVATE, and VISIBILITY_PUBLIC.
Event private visibility.
Event private visibility.
Used with Titanium.Calendar.Event.
One of the group of reminder method constants, VISIBILITY_CONFIDENTIAL, VISIBILITY_DEFAULT, VISIBILITY_PRIVATE, and VISIBILITY_PUBLIC.
Event public visibility.
Event public visibility.
Used with Titanium.Calendar.Event.
One of the group of reminder method constants, VISIBILITY_CONFIDENTIAL, VISIBILITY_DEFAULT, VISIBILITY_PRIVATE, and VISIBILITY_PUBLIC.
All alerts in selected calendars.
All alerts in selected calendars.
All calendars known to the native calendar app.
All calendars known to the native calendar app.
All calendars known to the native calendar app that can add, edit, and delete items in the calendar.
All calendars known to the native calendar app that can add, edit, and delete items in the calendar.
The name of the API that this proxy corresponds to.
The name of the API that this proxy corresponds to.
The value of this property is the fully qualified name of the API. For example, Button
returns Ti.UI.Button
.
Indicates if the proxy will bubble an event to its parent.
Some proxies (most commonly views) have a relationship to other proxies, often established by the add() method. For example, for a button added to a window, a click event on the button would bubble up to the window. Other common parents are table sections to their rows, table views to their sections, and scrollable views to their views. Set this property to false to disable the bubbling to the proxy's parent.
Default: true
Returns an authorization constant indicating if the application has access to the events in the EventKit.
Returns an authorization constant indicating if the application has access to the events in the EventKit.
Always returns AUTHORIZATION_AUTHORIZED
on iOS pre-6.0.
type: Number
This API can be assigned the following constants:
Calendar that events are added to by default, as specified by user settings.
Calendar that events are added to by default, as specified by user settings.
Returns an authorization constant indicating if the application has access to the events in the EventKit.
deprecated since 5.2.0
Use <Titanium.Calendar.calendarAuthorization> instead.
Always returns AUTHORIZATION_AUTHORIZED
on iOS pre-6.0.
This API can be assigned the following constants:
The Window or TabGroup whose Activity lifecycle should be triggered on the proxy.
The Window or TabGroup whose Activity lifecycle should be triggered on the proxy.
If this property is set to a Window or TabGroup, then the corresponding Activity lifecycle event callbacks will also be called on the proxy. Proxies that require the activity lifecycle will need this property set to the appropriate containing Window or TabGroup.
All calendars selected within the native calendar app, which may be a subset of allCalendars
.
All calendars selected within the native calendar app, which may be a subset of allCalendars
.
The native calendar application may know via the registered webservices, such as Gooogle or Facebook accounts about calendars that it has access to but have not been selected to be displayed in the native calendar app.
Adds the specified callback as an event listener for the named event.
Name of the event.
Callback function to invoke when the event is fired.
Applies the properties to the proxy.
Properties are supplied as a dictionary. Each key-value pair in the object is applied to the proxy such that myproxy[key] = value.
A dictionary of properties to apply.
Fires a synthesized event to any registered listeners.
Name of the event.
A dictionary of keys and values to add to the Titanium.Event object sent to the listeners.
Gets the calendar with the specified identifier.
Identifier of the calendar.
Gets the value of the eventsAuthorization property.
deprecated since 5.2.0
Use <Titanium.Calendar.calendarAuthorization> instead.
Returns true
if the app has calendar access.
Removes the specified callback as an event listener for the named event.
Multiple listeners can be registered for the same event, so the
callback
parameter is used to determine which listener to remove.
When adding a listener, you must save a reference to the callback function in order to remove the listener later:
var listener = function() { Ti.API.info("Event listener called."); }
window.addEventListener('click', listener);
To remove the listener, pass in a reference to the callback function:
window.removeEventListener('click', listener);
Name of the event.
Callback function to remove. Must be the same function passed to addEventListener
.
Requests for calendar access.
On Android, the request view will show if the permission is not accepted by the user, and the user did
not check the box "Never ask again" when denying the request. If the user checks the box "Never ask again,"
the user has to manually enable the permission in device settings. This method requests Manifest.permission.READ_CALENDAR
and Manifest.permission.WRITE_CALENDAR
on Android. If yourequire other permissions, you can also use
Titanium.Android.requestPermissions.
In iOS 6, Apple introduced the Info.plist key NSCalendarsUsageDescription
that is used to display an
own description while authorizing calendar permissions. In iOS 10, this key is mandatory and the application
will crash if your app does not include the key. Check the Apple docs for more information.
Function to call upon user decision to grant calendar access.
If authorization is unknown, will bring up a dialog requesting permission.
deprecated since 5.1.0
Use <Titanium.Calendar.requestCalendarPermissions> instead.
Note that the callback may be synchronous or asynchronous. That is, it may be called during requestEventsAuthorization or much later. See the "Request access to the events" example on how to best use this method.
Callback function to execute when when authorization is no longer unknown.
Sets the value of the bubbleParent property.
New value for the property.
Sets the value of the lifecycleContainer property.
New value for the property.
Fired when the database backing the EventKit module is modified.
This eventis fired when changes are made to the Calendar database, including adding, removing, and changing events or reminders. Individual changes are not described. When you receive this notification, you should refetch all Event objects you have accessed, as they are considered stale. If you are actively editing an event and do not wish to refetch it unless it is absolutely necessary to do so, you can call the refresh method on it. If the method returns YES, you do not need to refetch the event.
Source object that fired the event.
Name of the event fired.
True if the event will try to bubble up if possible.
Set to true to stop the event from bubbling.