美好的一天! 我使用函数"将事件保存到日历"通过UIActivityItems。在该功能中,我创建了新日历并将事件添加到此日历中:
EKEventStore* eventStore = [[EKEventStore alloc] init];
// Get the calendar source
EKSource* localSource;
for (EKSource* source in eventStore.sources) {
if (source.sourceType == EKSourceTypeLocal)
{
localSource = source;
break;
}
}
if (!localSource)
return;
EKCalendar *newCalendar = [EKCalendar calendarForEntityType:EKEntityTypeEvent eventStore:eventStore];
calendar.source = localSource;
calendar.title = @"New Calendar";
NSError *errorCalendar;
[eventStore saveCalendar:newCalendar commit:YES error:&errorCalendar];
EKEvent *event = [EKEvent eventWithEventStore:eventStore];
event.title = @"Title";
event.startDate = startDate;
event.endDate = endDate;
[event setCalendar:newCalendar];
// and etc.
它的工作。但是每次下次它都会创建一个名为" New Calendar"再次。如何检查具有该名称的日历是否已存在?我该如何更改日历类型?生日那天等等。
答案 0 :(得分:4)
首先,您需要在应用的生命周期according to Apple中使用EventStore
的单个实例。
因此,我建议将eventStore
作为视图控制器的属性:
@property (nonatomic, retain) EKEventStore *eventStore;
并在viewDidLoad:
self.eventStore = [[EKEventStore alloc] init];
现在,您可以在执行任何操作之前检查您正在阅读和写入的同一eventStore
实例:
-(BOOL)checkForCalendar {
//get an array of the user's calendar using your instance of the eventStore
NSArray *calendarArray = [self.eventStore calendarsForEntityType:EKEntityTypeEvent];
// The name of the calendar to check for. You can also save the calendarIdentifier and check for that if you want
NSString *calNameToCheckFor = @"New Calendar";
EKCalendar *cal;
for (int x = 0; x < [calendarArray count]; x++) {
cal = [calendarArray objectAtIndex:x];
NSString *calTitle = [cal title];
// if the calendar is found, return YES
if (([calTitle isEqualToString:calNameToCheckFor]) {
return YES;
}
}
// Calendar name was not found, return NO;
return NO;
}
-(void)saveNewEvent {
// If the calendar does not already exist, create it before you save the event.
if ([self checkForCalendar] == NO) {
// Get the calendar source
EKSource* localSource;
for (EKSource* source in eventStore.sources) {
if (source.sourceType == EKSourceTypeLocal)
{
localSource = source;
break;
}
}
if (!localSource)
return;
EKCalendar *newCalendar = [EKCalendar calendarForEntityType:EKEntityTypeEvent eventStore:eventStore];
calendar.source = localSource;
calendar.title = @"New Calendar";
NSError *errorCalendar;
[eventStore saveCalendar:newCalendar commit:YES error:&errorCalendar];
}
EKEvent *event = [EKEvent eventWithEventStore:self.eventStore];
event.title = @"Title";
event.startDate = startDate;
event.endDate = endDate;
[event setCalendar:newCalendar];
// and etc.
}