iOS当导航控制器使用pushViewController(::)跳转页时,偶尔会卡住界面

当导航控制器使用pushViewController(::)跳转页时,偶尔会卡住界面,比如下面这段代码

func tabBarController(_ tabBarController: UITabBarController, shouldSelect viewController: UIViewController) -> Bool {
        
        if viewController.tabBarItem.title == Self.TabBarItemTitle.customer.rawValue {
            DispatchQueue.main.async {
                if let navc = tabBarController.selectedViewController as? UINavigationController {
                    let vc = CustomerServiceChatRoomViewController.shared
                    navc.pushViewController(vc, animated: true)
                }
            }
            
            return false
        }
    return true
}

app采用了TabBarController和NavigationController,这段代码只是通过pushViewController(::)跳转页面,但是很意外的是,有时候会导致UI卡住不懂,通过xcode的视图调试工具可以看到最上面的控制器是已经push的那个,但是UI却不能响应了,通过xcode暂停线程的调用栈可以看出并未出现阻塞主线程。然后我按home键从后台进入到应前台时,页面可以正常操作了。

这是由于手势pop的问题导致的, 当处在导航控制器的的根控制器时候, 做一个侧滑pop的操作, 看起来没任何变化, 但是再次push其它控制器时候就会出现上述问题了。这种情况是会出现在我们自定义的导航控制器中,因为继承自UINavigationController后,原先的右划手势被禁掉了,而我们通常会打开手势,比如:

self.interactivePopGestureRecognizer?.delegate = self

这时候如果在根视图里面执行右划手势,相当于执行了一个pop。(只是我们没有看到效果而已),然后接着去执行push,自然就push不到下一级页面了,

解决方法:
判断当前页面是不是根视图,如果是就禁止掉右划手势,如果不是就打开:

class BaseNavigationController: UINavigationController, UIGestureRecognizerDelegate {

    override func viewDidLoad() {
        super.viewDidLoad()

        setupNavBarAppearence()
        
        self.delegate = self
        self.interactivePopGestureRecognizer?.delegate = self
    }
}
extension BaseNavigationController: UINavigationControllerDelegate {
    
    func navigationController(_ navigationController: UINavigationController, didShow viewController: UIViewController, animated: Bool) {
        self.interactivePopGestureRecognizer?.isEnabled = self.viewControllers.count > 1
    }
}

你可能感兴趣的:(iOS当导航控制器使用pushViewController(::)跳转页时,偶尔会卡住界面)