Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Dismiss modal form sheet view on outside tap iOS 8

Tags:

I've been trying to dismiss the modal form sheet view on outside tap on iOS 8 with no luck, I've tried this code

UITapGestureRecognizer *recognizer = [[UITapGestureRecognizer alloc] initWithTarget:self action:@selector(handleTapBehind:)];  [recognizer setNumberOfTapsRequired:1]; recognizer.cancelsTouchesInView = NO; //So the user can still interact with controls in the modal view [self.view.window addGestureRecognizer:recognizer];  - (void)handleTapBehind:(UITapGestureRecognizer *)sender {  if (sender.state == UIGestureRecognizerStateEnded)  {    CGPoint location = [sender locationInView:nil]; //Passing nil gives us coordinates in the window   //Then we convert the tap's location into the local view's coordinate system, and test to see if it's in or outside. If outside, dismiss the view.      if (![self.view pointInside:[self.view convertPoint:location fromView:self.view.window] withEvent:nil])      {        // Remove the recognizer first so it's view.window is valid.       [self.view.window removeGestureRecognizer:sender];       [self dismissModalViewControllerAnimated:YES];     }  } } 

But it doesn't detect outside view clicks, any suggestions ?

like image 348
mac_019_0 Avatar asked Sep 03 '14 07:09

mac_019_0


Video Answer


1 Answers

There are actually two problems in iOS 8. First, the gesture recognition does not begin.

I solved this by adding the UIGestureRecognizerDelegate protocol and implementing

-(BOOL)gestureRecognizer:(UIGestureRecognizer *)gestureRecognizer shouldRecognizeSimultaneouslyWithGestureRecognizer:(UIGestureRecognizer*)otherGestureRecognizer {     return YES; } 

Also, don't forget to register the delegate with

recognizer.delegate = self; 

Now the gesture recognizer should recognize gestures and the target method (handleTapBehind:) will be called.

Here comes the second problem in iOS 8: locationInView: doesn't seem to take the device orientation into account if nil is passed as a view. Instead, passing the root view works.

Here's my target code that seems to work for iOS 7.1 and 8.0:

if (sender.state == UIGestureRecognizerStateEnded) {     UIView *rootView = self.view.window.rootViewController.view;     CGPoint location = [sender locationInView:rootView];     if (![self.view pointInside:[self.view convertPoint:location fromView:rootView] withEvent:nil]) {         [self dismissViewControllerAnimated:YES completion:^{             [self.view.window removeGestureRecognizer:sender];         }];     } } 
like image 168
chris Avatar answered Sep 19 '22 15:09

chris