#import <EventKit/EventKit.h>
I can't create event in default iOS calendar.
EKEventStore *eventStore = [[EKEventStore alloc] init];
for (EKSource *source in eventStore.sources)
{
if (source.sourceType == EKSourceTypeCalDAV || source.sourceType == EKSourceTypeLocal)
{
NSLog(#"I found it");
break;
}
}
Beginning from here it couldn't return any sources. When I build and run app there are no any requests to give its access to default calendar.
All in all I get an empty array:
[eventStore.sources count]
Even when I trying to add event without creating new calendar (using
[eventStore defaultCalendarForNewEvents]
I guess there is problem in accessing EKEventStore, to check permission try following,
EKEventStore *eventStore = [[EKEventStore alloc] init];
if ([eventStore respondsToSelector:#selector(requestAccessToEntityType:completion:)]){
[eventStore requestAccessToEntityType:EKEntityTypeEvent completion:^(BOOL granted, NSError *error)
{
NSLog(#"GRANTED: %c", granted);
for (EKSource *source in eventStore.sources)
{
if (source.sourceType == EKSourceTypeCalDAV || source.sourceType == EKSourceTypeLocal)
{
NSLog(#"I found it");
break;
}
}
}];
}
Hope it Helps you..
I have found problem:
[eventStore requestAccessToEntityType:EKEntityTypeEvent completion:^(BOOL granted, NSError *error) {
// TODO
}];
I must request permission manually, thought permission set without it, I think it had fixed in iOS 7.0.2 build.
Related
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];
}
I am new to iOS. I am using apple's Map. I need some functionality Like goole PlaceAutoComplete.
Before this I was trying to use PlaceAutoComplete By adding googlePlaces utility through pods, and function call back didn't even respond. I have created a iOS Api Key in regards with using googleMap placeAutoComplete utility.
Here is my piece of code
-(void)placeAutocomplete{
GMSAutocompleteFilter *filter = [[GMSAutocompleteFilter alloc] init];
filter.type = kGMSPlacesAutocompleteTypeFilterCity;
[self.placesClients autocompleteQuery:self.txtFld.text
bounds:nil
filter:filter
callback:^(NSArray *results,NSError*error)
{
if (error != nil) {
NSLog(#"Autocomplete error %#", [error localizedDescription]);
return;
}
self.autoCompleteArray = results;
}];
}
You can get it done either using search bar or making textfield's event textDidChange
I had that done using below code
- (void)searchBar:(UISearchBar *)searchBar textDidChange:(NSString *)searchText
{
[NSObject cancelPreviousPerformRequestsWithTarget:self selector:#selector(requestForGoogleAutoCompletWithTask) object:nil];
[self performSelector:#selector(requestForGoogleAutoCompletWithTask) withObject:nil afterDelay:0.0];
}
-(void)requestForGoogleAutoCompletWithTask
{
GMSAutocompleteFilter *filter = [[GMSAutocompleteFilter alloc]init];
[filter setType:kGMSPlacesAutocompleteTypeFilterNoFilter];
GMSPlacesClient *placesClient = [GMSPlacesClient sharedClient];
[placesClient autocompleteQuery:sBar.text
bounds:nil
filter:filter
callback:^(NSArray *results, NSError *error) {
if (error != nil) {
NSLog(#"Autocomplete error %#", [error localizedDescription]);
arrAutoCompletData = results; // This is my actual array which I am showing in UITableView
[tblView reloadData];
return;
}
arrAutoCompletData = results;
[tblView reloadData];
for (GMSAutocompletePrediction* result in results)
{
NSLog(#"Result '%#' with placeID %#", result.attributedFullText.string, result.placeID);
}
}];
}
Am trying to delete the event from iCal as soon as I get the notification. The event is getting deleted only if iCal is in background. If the same notification is sent after closing iCal, the event is not deleted. Am trying to access iCal using this method in MyCalendar.m
+ (void)requestAccess:(void (^)(BOOL granted, NSError *error))callback {
if (eventStore == nil) {
eventStore = [[EKEventStore alloc] init];
}
[eventStore requestAccessToEntityType:EKEntityTypeEvent completion:callback];
}
And am trying to delete the event using following method in Appdelegate.m
[MyCalendar requestAccess:^(BOOL granted, NSError *error) {
if (granted) {
if ([[self.launchOptions objectForKey:#"type"] isEqualToString:#"remainder"] || [[self.launchOptions objectForKey:#"type"] isEqualToString:#"cancelAppointment"]) {
if ([[self.launchOptions objectForKey:#"type"]
isEqualToString:#"cancelAppointment"]) {
if (![MyCalendar removeEventWithEventIdentifier:
[self.launchOptions objectForKey:#"eventId"]]) {
}
}
}
}
}];
Am deleting the event from iCal using following method in MyCalendar.m
+ (BOOL)removeEventWithEventIdentifier:(NSString *)identifier {
EKEvent *event2 = [eventStore eventWithIdentifier:identifier];
BOOL result = NO;
if (event2 != nil) {
NSError *error = nil;
result = [eventStore removeEvent:event2 span:EKSpanThisEvent error:&error];
}
return result;
}
Thanks in advance!
You have to initialize the event store object before using.
+ (BOOL)removeEventWithEventIdentifier:(NSString *)identifier {
EKEventStore* eventStore = [[EKEventStore alloc] init];
EKEvent *event2 = [eventStore eventWithIdentifier:identifier];
BOOL result = NO;
if (event2 != nil) {
NSError *error = nil;
result = [eventStore removeEvent:event2 span:EKSpanThisEvent error:&error];
}
return result;
}
Wondering how I can determine if the device the user has supports the Touch ID API? Hopefully have this as a boolean value.
Thanks!
try this:
- (BOOL)canAuthenticateByTouchId {
if (SYSTEM_VERSION_GREATER_THAN_OR_EQUAL_TO(#"8.0")) {
return [[[LAContext alloc] init] canEvaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics error:nil];
}
return NO;
}
or like #rckoenes suggest:
- (BOOL)canAuthenticateByTouchId {
if ([LAContext class]) {
return [[[LAContext alloc] init] canEvaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics error:nil];
}
return NO;
}
UPDATE
I forgot, check this: How can we programmatically detect which iOS version is device running on? to define SYSTEM_VERSION_GREATER_THAN_OR_EQUAL_TO
You should consider LAContext framework that is required to Touch ID authentication.
And parameter LAErrorTouchIDNotAvailable will show is devise support this functionality.
Code snippet :
- (IBAction)authenticateButtonTapped:(id)sender {
LAContext *context = [[LAContext alloc] init];
NSError *error = nil;
if ([context canEvaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics error:&error]) {
// Authenticate User
} else {
UIAlertView *alert = [[UIAlertView alloc] initWithTitle:#"Error"
message:#"Your device cannot authenticate using TouchID."
delegate:nil
cancelButtonTitle:#"Ok"
otherButtonTitles:nil];
[alert show];
}
}
Nice tutorial to learn this feature is here.
You can check the error using CanEvaluatePolicy. If the Error Code is -6, it means no physical Touch Id on that device. You can tell from the Error Description, it says
Biometry is not available on this device.
Below is the code if you're using C# Xamarin:
var context = new LAContext();
NSError AuthError;
if (!context.CanEvaluatePolicy(LAPolicy.DeviceOwnerAuthenticationWithBiometrics, out AuthError))
{
if ( AuthError != null && AuthError.Code == -6 )
{
var alert = new UIAlertView ("Error", "TouchID not available", null, "BOOO!", null);
alert.Show ();
}
}
This function will help with that -
-(BOOL)doesThisDeviceSupportTouchIdForLocalAuthentication{
//Checking for 64 bit (armv7s) architecture before including the LAContext as it would give error otherwise.
#if TARGET_CPU_ARM64
LAContext *context = [[LAContext alloc] init];
NSError *error = nil;
if ([context canEvaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics error:&error]){
return YES;
}
return NO;
#endif
return NO;
}
Objective c
#import LocalAuthentication;
// Get the local authentication context:
LAContext *context = [[LAContext alloc] init];
// Test if fingerprint authentication is available on the device and a fingerprint has been enrolled.
if ([context canEvaluatePolicy: LAPolicyDeviceOwnerAuthenticationWithBiometrics error:nil])
{
NSLog(#"Fingerprint authentication available.");
}