这篇文章主要解决两个问题:
1.自定义导航栏返回按钮右滑返回手势失效的问题。
2.实现整个屏幕右滑就返回功能。(动画效果与系统边缘手势返回一样)
问题一:自定义导航栏返回按钮右滑返回手势失效的解决
问题背景:当我们自定义导航条上的返回按钮之后,会发现系统自带的滑动返回手势处于失效状态。
原因:发现自定义返回按钮导致的该手势未起作用是因为在delegate阶段被阻断了。
解决方式:
1.要么自己重新设置interactivePopGestureRecognizer的delegate以让手势继续下去,触发系统的动画action。
2.如果我们知道代理执行action的名字,则可以添加一个自定义的滑动手势,直接调用该系统action。(这就是我们实现整个屏幕右滑返回功能)
具体操作:
在自定义的NavigationController中添加如下代码:
self.navigationController.interactivePopGestureRecognizer.delegate = (id)self;
这样处理有个问题:当返回到根视图控制器时,就不需要滑动返回了,需要禁用。不然会出现程序卡顿现象。
解决方案:需在自定义NavigationController中阻止手势
// 表示的意思是:当挡墙控制器是根控制器了,那么就不接收触摸事件,只有当不是根控制器时才需要接收事件.
- (BOOL)gestureRecognizer:(UIGestureRecognizer *)gestureRecognizer shouldReceiveTouch:(UITouch *)touch
{
return self.childViewControllers.count > 1;
}
问题二:实现整个屏幕右滑就返回功能。
上面提到过实现思路
如果我们知道代理执行action的名字,则可以添加一个自定义的滑动手势,直接调用该系统action。
打印出系统自带的手势
// 打印系统自带的手势
NSLog(@"%@",self.interactivePopGestureRecognizer);
// 打印结果
<UIScreenEdgePanGestureRecognizer: 0x7fc592c0b230; state = Possible; delaysTouchesBegan = YES;
view = <UILayoutContainerView 0x7fc592ebd620>;
target= <(action=handleNavigationTransition:,
target=<_UINavigationInteractiveTransition 0x7fc592c0aca0>)>>
分析:_UINavigationInteractiveTransition代理会执行
handleNavigationTransition这个方法有滑动返回的功能,只要我们创建新的手势设置这个代理,实现这个方法就可以实现滑动返回的功能了,
实现代码:
- (void)viewDidLoad {
[super viewDidLoad];
// 设置代理
id target = self.interactivePopGestureRecognizer.delegate;
// 创建手势
UIPanGestureRecognizer *pan = [[UIPanGestureRecognizer alloc] initWithTarget:target action:@selector(handleNavigationTransition:)];
// 设置pan手势的代理
pan.delegate = self;
// 添加手势
[self.view addGestureRecognizer:pan];
// 将系统自带的手势覆盖掉
self.interactivePopGestureRecognizer.enabled = NO;
}
发现问题:然后考虑到在push动画发生的时候,禁止滑动手势,在自定义NavigationController添加
(void)pushViewController:(UIViewController *)viewController animated:(BOOL)animated {
[super pushViewController:viewController animated:animated];
self.interactivePopGestureRecognizer.enabled = NO;
}
在使用navigationController的viewcontroller里添加(void)viewDidAppear:(BOOL)animated {
[super viewDidAppear:animated];
self.navigationController.interactivePopGestureRecognizer.enabled = YES;
}