I am adding an event to a calendar on the click of a button. Whenever I click on that button the Xcode gives me a warning and hangs the app for about few seconds and then add the event into the calendar. the warning is as follows:
void _WebThreadLockFromAnyThread(bool), 0x175bd5c0: Obtaining the web lock from a thread other than the main thread or the web thread. UIKit should not be called from a secondary thread.
the code which I am using for adding the event is as follows:
- (IBAction)btn_reminder_click:(id)sender{
[self addEventTocalendar];
}
- (void)addEventTocalendar{
EKEventStore *store = [[EKEventStore alloc] init];
[store requestAccessToEntityType:EKEntityTypeEvent completion:^(BOOL granted, NSError *error) {
if (!granted) { return; }
EKEvent *event = [EKEvent eventWithEventStore:store];
if (btn_appointment.isSelected) {
event.title = #"Appointment Reminder.";
}
else if (btn_pickup.isSelected){
event.title = #"Pickup Reminder";
}
event.startDate = self.selectedDate;
event.endDate = [event.startDate dateByAddingTimeInterval:60*60];//set 1 hour meeting
event.notes = txt_notes.text;
event.recurrenceRules = EKRecurrenceFrequencyDaily;
[event addAlarm:[EKAlarm alarmWithRelativeOffset:60.0f * -5.0f]];
if (selectedIndex == 1) {
[event addRecurrenceRule:[[EKRecurrenceRule alloc]initRecurrenceWithFrequency:EKRecurrenceFrequencyDaily interval:1 end:Nil]];
}
else if (selectedIndex == 2){
[event addRecurrenceRule:[[EKRecurrenceRule alloc]initRecurrenceWithFrequency:EKRecurrenceFrequencyWeekly interval:1 end:Nil]];
}
else if (selectedIndex == 3){
[event addRecurrenceRule:[[EKRecurrenceRule alloc]initRecurrenceWithFrequency:EKRecurrenceFrequencyMonthly interval:1 end:Nil]];
}
else if (selectedIndex == 4){
[event addRecurrenceRule:[[EKRecurrenceRule alloc]initRecurrenceWithFrequency:EKRecurrenceFrequencyYearly interval:1 end:Nil]];
}
[event setCalendar:[store defaultCalendarForNewEvents]];
NSError *err = nil;
[store saveEvent:event span:EKSpanThisEvent commit:YES error:&err];
NSString *savedEventId = event.eventIdentifier; //this is so you can access this event later
BOOL isSuceess=[store saveEvent:event span:EKSpanThisEvent error:&err];
if(isSuceess){
UIAlertView *alertview = [[UIAlertView alloc] initWithTitle:#"Event" message:#"Event added in calendar" delegate:self cancelButtonTitle:#"OK" otherButtonTitles:nil];
[alertview show];
}
else{
UIAlertView *alertview = [[UIAlertView alloc] initWithTitle:#"Event" message:[err description] delegate:self cancelButtonTitle:#"OK" otherButtonTitles:nil];
[alertview show];
}
}];
}
cam Somebody help me o this as I am not able to solve this problem.
Your UIAlertView needs to be shown on the main thread. Try this:
if(isSuceess){
UIAlertView *alertview = [[UIAlertView alloc] initWithTitle:#"Event" message:#"Event added in calendar" delegate:self cancelButtonTitle:#"OK" otherButtonTitles:nil];
dispatch_async(dispatch_get_main_queue(), ^{
[alertview show];
});
}
else {
UIAlertView *alertview = [[UIAlertView alloc] initWithTitle:#"Event" message:[err description] delegate:self cancelButtonTitle:#"OK" otherButtonTitles:nil];
dispatch_async(dispatch_get_main_queue(), ^{
[alertview show];
});
}
UI Code must always run on the main thread.
You need to dispatch your code to the main thread. You can use something like this:
Swift
DispatchQueue.main.async
{
// Your code to execute
}
Related
I need to implement touch ID and have to show alert to user for authentication attempts left. Below code Im using.
reply block not getting called after one wrong authentication attempt. Its getting called after 3 continues wrong authentication attempt. Is there any way to get count of wrong authentication attempts..?
LAContext *myContext = [[LAContext alloc] init];
NSError *authError = nil;
NSString *myLocalizedReasonString = #"Touch ID Test to show Touch ID working in a custom app";
if ([myContext canEvaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics error:&authError]) {
[myContext evaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics
localizedReason:myLocalizedReasonString
reply:^(BOOL success, NSError *error) {
if (success) {
dispatch_async(dispatch_get_main_queue(), ^{
[self performSegueWithIdentifier:#"Success" sender:nil];
});
} else {
dispatch_async(dispatch_get_main_queue(), ^{
UIAlertView *alertView = [[UIAlertView alloc] initWithTitle:#"Error"
message:error.description
delegate:self
cancelButtonTitle:#"OK"
otherButtonTitles:nil, nil];
[alertView show];
NSLog(#"Switch to fall back authentication - ie, display a keypad or password entry box");
});
}
}];
} else {
dispatch_async(dispatch_get_main_queue(), ^{
UIAlertView *alertView = [[UIAlertView alloc] initWithTitle:#"Error"
message:authError.description
delegate:self
cancelButtonTitle:#"OK"
otherButtonTitles:nil, nil];
[alertView show];
});
}
I went through the documentation, it is not possible to show alert in each failed attempt. Just refer the documentation
LocalAuthentication in iOS. You can show alerts at different error cases. After 3rd failed attempt LAError.authenticationFailed will be called and after 5th failed attempt LAError.touchIDLockout will be called. You can display the alerts here. For more info refer Apple LAError documentation.
I'm trying to save the events in native calendar. However, my events are being saved in the calendar but every time I run the code on device or simulator it creates duplicate entries. I have used everything needed to avoid it but couldn't get any help.
Here is my code.
-(void )addEvents :(NSMutableArray *)sentarray{
for ( int i =0; i<sentarray.count; i++) {
Schedule *schdeule = [events objectAtIndex:i];
EKEventStore *store = [[EKEventStore alloc] init];
[store requestAccessToEntityType:EKEntityTypeEvent completion:^(BOOL granted, NSError *error) {
dispatch_async(dispatch_get_main_queue(), ^{
if (error)
{
NSLog(#"Error in dispatching data in the queue");
}
else if (!granted) {
NSLog(#"NoPermission to access the calendar");
UIAlertView *alert = [[UIAlertView alloc] initWithTitle:#"Error" message:#"Cannot sync data with your calendar" delegate:self cancelButtonTitle:#"OK" otherButtonTitles:nil];
[alert show];
return;
}
else{
EKEvent *event = [EKEvent eventWithEventStore:store];
event.title =schdeule.title;
event.startDate = schdeule.startDate; //today
event.endDate = schdeule.endDate; //set 1 hour meeting
event.calendar = [store defaultCalendarForNewEvents];
NSError *err = nil;
[store saveEvent:event span:EKSpanThisEvent commit:YES error:&err];
// Store this so you can access this event later for editing
savedEventId = event.eventIdentifier;
if (!err) {
NSPredicate *predicateForEventsOnMeetingDate = [store predicateForEventsWithStartDate:schdeule.startDate endDate:schdeule.endDate calendars:nil]; // nil will search through all calendars
NSArray *eventsOnMeetingDate = [store eventsMatchingPredicate:predicateForEventsOnMeetingDate];
__block BOOL eventExists = NO;
[eventsOnMeetingDate enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {
for (EKEvent *eventToCheck in eventsOnMeetingDate) {
if ([eventToCheck.title isEqualToString:schdeule.title]) {
eventExists = YES;
}
}
if (eventExists == NO) {
EKEvent *addEvent = [EKEvent eventWithEventStore:store];
addEvent.title = schdeule.title;
addEvent.startDate = schdeule.startDate;
addEvent.endDate =schdeule.endDate;
[addEvent setCalendar:[store defaultCalendarForNewEvents]];
[store saveEvent:addEvent span:EKSpanThisEvent commit:YES error:nil];
}
}];
NSLog(#"saved");
if (i == sentarray.count-1) {
// [[UIApplication sharedApplication] openURL:[NSURL URLWithString:#"calshow://"]];
}
}
else {
NSLog(#"%#",[err localizedDescription]);
}
}
});
}];
}
}
apply break after eventExists = YES; like
... // other code
for (EKEvent *eventToCheck in eventsOnMeetingDate) {
if ([eventToCheck.title isEqualToString:schdeule.title]) {
eventExists = YES;
break;
}
}
... //other code
Is it possible in Objective-C in xCode to open up the native iPhone "Add Event" calendar prompt with a couple of fields already filled in? For instance name, address and start/end date? If so, how?
This would allow the user to still change a couple of parameters: when does he want to be alerted, etc.
I have looked around but all I have found are methods to automatically add the event without the confirmation of the user.
Step 1
First take Calendar Permission
dispatch_async(dispatch_get_main_queue(), ^{
[self.eventManager.eventStore requestAccessToEntityType:EKEntityTypeEvent completion:^(BOOL granted, NSError *error) {
if(granted==NO)
{
BOOL permission=[[NSUserDefaults standardUserDefaults] boolForKey:#"CalendarPermissionAlert"];
if(permission==NO) {
kAppDelegateObject.eventManager.eventsAccessGranted=NO;
[[NSUserDefaults standardUserDefaults]setBool:YES forKey:#"CalendarPermissionAlert"];
UIAlertView * alert = [[UIAlertView alloc] initWithTitle:#"Calendar Access is OFF"
message:kCalenderResetMessage
delegate:self
cancelButtonTitle:#"CANCEL"
otherButtonTitles:#"SETTING",nil];
[alert show];
alert.tag=101;
return ;
}
}
Step 2
//Add Event
-(void)addEventWithMessage:(NSString*)eventMessage withEventDate:(NSDate *)eventDate
EKEventStore *eventStore;
eventStore = [[EKEventStore alloc] init];
// Create a new event object.
EKEvent *event = [EKEvent eventWithEventStore: eventStore];
// Set the event title.
event.title = eventMessage;
// Set its calendar.
NSString *identifier=[[NSUserDefaults standardUserDefaults]objectForKey:#"calenderId"]; //your application id
// NSLog(#"cal identifier: %#",identifier);
event.calendar = [eventStore calendarWithIdentifier:identifier];
//set Alarm
NSTimeInterval secondsInOneHours = 1 * 60 * 60;
NSDate *dateOneHoursAhead = [eventDate dateByAddingTimeInterval:secondsInOneHours];
// Set the start and end dates to the event.
event.startDate = eventDate;
event.endDate = dateOneHoursAhead; //
NSError *error;
if ([eventStore saveEvent:event span:EKSpanFutureEvents commit:YES error:&error]) {
// NSLog(#"Event Added");
}
else{
// An error occurred, so log the error description.
// NSLog(#"%#", [error localizedDescription]);
}
Here is how I handled it...with EKEventEditViewController!
First:
#import EventKitUI;
At the very top of your .m file.
Then set the EKEventEditViewDelegate
Then, when you want to add the event, use the following method:
- (IBAction)addToCalendar:(id)sender {
EKEventStore *eventStore = [[EKEventStore alloc] init];
if ([eventStore respondsToSelector:#selector(requestAccessToEntityType:completion:)])
{
// the selector is available, so we must be on iOS 6 or newer
[eventStore requestAccessToEntityType:EKEntityTypeEvent completion:^(BOOL granted, NSError *error) {
dispatch_async(dispatch_get_main_queue(), ^{
if (error)
{
NSLog(#"%#", error);
// display error message here
}
else if (!granted)
{
NSLog(#"%# acce sdenied", error);
// display access denied error message here
}
else
{
EKEvent *event = [EKEvent eventWithEventStore: eventStore];
event.title = nom;
event.location = adresse;
// Set the start and end dates to the event.
event.startDate = startDate;
event.endDate = endDate; //
EKEventEditViewController *eventViewController = [[EKEventEditViewController alloc] init];
eventViewController.event = event;
eventViewController.eventStore=eventStore;
eventViewController.editViewDelegate = self;
[event setCalendar:[eventStore defaultCalendarForNewEvents]];
[eventViewController setModalPresentationStyle:UIModalPresentationFullScreen];
[self presentViewController:eventViewController animated:YES completion:NULL];
}
});
}];
}
}
Finally, add this delegate method to handle the completion action:
-(void)eventEditViewController:(EKEventEditViewController *)controller
didCompleteWithAction:(EKEventEditViewAction)action {
NSError *error;
switch (action) {
case EKEventEditViewActionCancelled:
// User tapped "cancel"
NSLog(#"Canceled");
break;
case EKEventEditViewActionSaved:
NSLog(#"Saved");
[controller.eventStore saveEvent:controller.event span: EKSpanFutureEvents error:&error];
[calendarBouton setTitle:#"Ajouté!" forState:UIControlStateDisabled];
calendarBouton.enabled = NO;
break;
case EKEventEditViewActionDeleted:
// User tapped "delete"
NSLog(#"Deleted");
break;
default:
NSLog(#"Default");
break;
}
[self dismissViewControllerAnimated:YES completion:nil];
}
Can any one having idea how to delete recurring event from iPhone calendar?
I am using this code for store event which is repeat every week.
EKEventStore *eventSotre = [[EKEventStore alloc] init];
EKEvent *event = [EKEvent eventWithEventStore:eventSotre];
EKRecurrenceRule *recurrenceRule = [[EKRecurrenceRule alloc] initRecurrenceWithFrequency:EKRecurrenceFrequencyWeekly interval:1 end:nil];
[event addRecurrenceRule:recurrenceRule];
[event setCalendar:[eventSotre defaultCalendarForNewEvents]];
event.title= #"EventTitle";
NSDate *duedate = [NSDate date];
event.startDate =duedate;
event.endDate= duedate;
NSArray *arrAlarm = [NSArray arrayWithObject:[EKAlarm alarmWithAbsoluteDate:duedate]];
event.alarms= arrAlarm;
NSError *err;
BOOL isSuceess=[eventSotre saveEvent:event span:EKSpanThisEvent error:&err];
strIdentifier = [[NSString alloc] initWithFormat:#"%#", event.eventIdentifier];;
if(isSuceess){
UIAlertView *alertview = [[UIAlertView alloc] initWithTitle:#"Event" message:#"Event added in calendar" delegate:self cancelButtonTitle:#"OK" otherButtonTitles:nil];
[alertview show];
}
else{
UIAlertView *alertview = [[UIAlertView alloc] initWithTitle:#"Event" message:[err description] delegate:self cancelButtonTitle:#"OK" otherButtonTitles:nil];
[alertview show];
}
Now I want to delete all future events from the iPhone calendar.
Thanks!
Got Solution my self.
For delete all future events I am using this code
EKEventStore* store = [[EKEventStore alloc] init] ;
EKEvent* eventToRemove = [store eventWithIdentifier:strIdentifier];
if (eventToRemove != nil) {
NSError* error = nil;
[store removeEvent:eventToRemove span:EKSpanFutureEvents error:&error];
}
For Delete current day entry we have to use "EKSpanThisEvent" and for delete future events we have to use "EKSpanFutureEvents"
I want to create a calendar entry to the iPhone calendar, I have tried the following code
EKEventStore *eventStore = [[EKEventStore alloc] init];
EKEvent *event = [EKEvent eventWithEventStore:eventStore];
event.title = self.selectedPost.postTitle;
event.notes = self.selectedPost.postContent;
event.startDate = self.selectedPost.startDate;
event.endDate = self.selectedPost.endDate;
EKCalendar *targetCalendar = nil;
targetCalendar = [eventStore defaultCalendarForNewEvents];
NSLog(#"%#",targetCalendar);
[event setCalendar:targetCalendar];
NSError *err;
[eventStore saveEvent:event span:EKSpanThisEvent error:&err];
UIAlertView *alert = nil;
NSLog(#"err %#",err);
if (err) {
alert = [[UIAlertView alloc] initWithTitle:#"Error" message:[err localizedDescription] delegate:nil cancelButtonTitle:#"OK" otherButtonTitles: nil];
}
else{
alert = [[UIAlertView alloc] initWithTitle:#"Success" message:#"Added to calender" delegate:nil cancelButtonTitle:#"OK" otherButtonTitles: nil];
}
[alert show];
but result is
2013-01-15 22:31:34.682 Project[40863:907] defaultCalendarForNewEvents failed: Error Domain=EKCADErrorDomain Code=1013 "The operation couldn’t be completed. (EKCADErrorDomain error 1013.)"
2013-01-15 22:31:34.683 Project[40863:907] (null)
2013-01-15 22:31:34.690 Project[40863:907] err Error Domain=EKErrorDomain Code=1 "No calendar has been set." UserInfo=0x1d535ba0 {NSLocalizedDescription=No calendar has been set.}
I know this is because of
[eventStore defaultCalendarForNewEvents];
returns null.
I have tried
[eventStore calendarWithIdentifier:event.calendarItemIdentifier];
and some other code but same result how to fix this
Any idea
If this is on iOS 6.0 or later, you'll have to first request access to the user's calendars before EventKit will hand them to you by using the method -[EKEventStore requestAccessToEntityType:completion:]
Check out the example given in the Calendar and Reminders Programming Guide
For the sake of not-wasting-your-time just make sure, that you are using the bit masks in -[EKEventStore requestAccessToEntityType:completion:]
like this
EKEventStore *eventStore = [[EKEventStore alloc] init];
[eventStore requestAccessToEntityType:EKEntityMaskEvent completion:^(BOOL granted, NSError *error) {
// ...
}];
I fixed it by making sure that the title wasn't the same as the one that i was creating, for example I have dance on several nights so for one night i would do Dance and the other one with a period at the beginning .Dance.
Add those lines
if(eventStore.defaultCalendarForNewEvents==nil)
*eventStore = [[EKEventStore alloc] init];
Second line will execute only first time when you grant access
Your code should look like this below
EKEventStore *eventStore = [[EKEventStore alloc] init];
EKEvent *event = [EKEvent eventWithEventStore:eventStore];
event.title = self.selectedPost.postTitle;
event.notes = self.selectedPost.postContent;
event.startDate = self.selectedPost.startDate;
event.endDate = self.selectedPost.endDate;
EKCalendar *targetCalendar = nil;
if(eventStore.defaultCalendarForNewEvents==nil)
*eventStore = [[EKEventStore alloc] init];
targetCalendar = [eventStore defaultCalendarForNewEvents];
NSLog(#"%#",targetCalendar);
[event setCalendar:targetCalendar];
NSError *err;
[eventStore saveEvent:event span:EKSpanThisEvent error:&err];
UIAlertView *alert = nil;
NSLog(#"err %#",err);
if (err) {
alert = [[UIAlertView alloc] initWithTitle:#"Error" message:[err localizedDescription] delegate:nil cancelButtonTitle:#"OK" otherButtonTitles: nil];
}
else{
alert = [[UIAlertView alloc] initWithTitle:#"Success" message:#"Added to calender" delegate:nil cancelButtonTitle:#"OK" otherButtonTitles: nil];
}
[alert show];
this works for me