在iOS开发的工作当中,Push和Pop经常用于界面之间的跳转和返回。苹果在iOS7以后给导航控制器加了一个Pop手势,只要手指在屏幕边缘滑动,当前的控制器的视图就会随着你的手指移动,当用户松手后,系统会判断手指拖动出来的大小来决定是否要执行控制器的pop操作。
这个想法非常棒,但是系统给我们规定手势触发的范围必须是屏幕左侧边缘,还有如果我们自定制了返回按钮或者隐藏了导航栏,也就是执行了下面两句话中的一句手势都会失效:
[self.navigationController setNavigationBarHidden:YES animated:YES];
self.navigationItem.leftBarButtonItem = 自定制返回按钮;
那么,我们就来解决手势失效和手势触发范围小这两个问题:
①解决失效的问题,很简单,一句话
Object-C版:
self.navigationController.interactivePopGestureRecognizer.delegate = (id)self;
Swift版:
navigationController?.interactivePopGestureRecognizer?.delegate = self
②解决手势触发范围小,整个界面都可以触发这个手势,也可以解决第一个问题。
这样解决第一个问题的那一句代码就要去掉了,然后通过打印:
NSLog(@"%@", self.navigationController?.interactivePopGestureRecognizer);
可以看出self.navigationController?.interactivePopGestureRecognizer是一个UIScreenEdgePanGestureRecognizer,这样就不难理解为什么触发范围只有左侧边缘了。
那么我们解决的办法就是把这个UIScreenEdgePanGestureRecognizer禁用,然后自己创建一个UIPanGestureRecognizer,把这个手势给UIScreenEdgePanGestureRecognizer
的代理,请看具体代码:
Object-C版:
-(void)popGesture{
self.navigationController.interactivePopGestureRecognizer.enabled = NO;//禁用原来的手势
id target = self.navigationController.interactivePopGestureRecognizer.delegate;//获得pop代理管理对象
UIPanGestureRecognizer *pan = [[UIPanGestureRecognizer alloc]initWithTarget:target action:@selector(popBack:)];//创建一个pan手势
pan.delegate = self;//设置代理
[self.view addGestureRecognizer:pan];//添加到self.view上
}
-(void)popBack:(UIPanGestureRecognizer *)pan {
[self.navigationController popViewControllerAnimated:YES];
}
-(BOOL)gestureRecognizerShouldBegin:(UIGestureRecognizer *)gestureRecognizer {
return YES;//这个方法必须返回YES,也可以不写这个方法,默认返回YES
}
在viewDidLoad里直接调用: [self popGesture]; //OK~~~
Swift版:
func popGesture() {
navigationController?.interactivePopGestureRecognizer?.enabled = false
let target = navigationController?.interactivePopGestureRecognizer?.delegate
let pan = UIPanGestureRecognizer(target: target, action: #selector(self.popBack(_:)))
pan.delegate = self
view.addGestureRecognizer(pan)
}
func popBack(pan: UIPanGestureRecognizer){
navigationController?.popViewControllerAnimated(true)
}
func gestureRecognizerShouldBegin(gestureRecognizer: UIGestureRecognizer) -> Bool {
return true
}
在viewDidLoad里直接调用:popGesture() //OK~~~
在我们日常开发时,由于经常用到,建议给UIViewController写一个Category,这样用起来就很方便了。
今天就到这了,各位看官如果发现有什么不对的,请加qq:929949003,一起讨论,谢谢!!