Switching View Controllers using MDCBottomNavigationBar on iOS - ios
I'm trying to create an iOS app that uses the Material Design library's bottom navigation feature. I can get a view controller with the bottom navigation bar to compile and display, but I'm unable to add other view controllers and switch between them when clicking the different tabs. I have everything simplified down to two files: One is my entry view controller with the bottom navigation stuff, and the other is just a dead simple view controller that I instantiate 3 times to use as the targets of the three tabs.
Currently, my specific error is:
Terminating app due to uncaught exception 'NSInternalInconsistencyException', reason: 'headerViewController does not have a parentViewController. Use [self addChildViewController:appBar.headerViewController]. This warning only appears in DEBUG builds'
As far as I can tell, this is related to my tab views. If I comment out the line that does self.viewControllers = [...] then it will load just fine, but not switch between view controllers.
I'm not married to this approach. If there is another way to accomplish this I'd love to know it. I have been unable to learn much from the docs, but if there is documentation for other tab-like Material Design features that works significantly similarly, I think that would point me in the right direction.
Here is my entry view controller. I used one of the examples as a base and heavily modified it.
import Foundation
import MaterialComponents
import UIKit
class ICEBottomNavController: UITabBarController, MDCBottomNavigationBarDelegate
{
let appBar = MDCAppBar()
var colorScheme = MDCSemanticColorScheme()
// Create a bottom navigation bar to add to a view.
let bottomNavBar = MDCBottomNavigationBar()
init()
{
super.init(nibName: nil, bundle: nil)
initCommon()
}
#available(*, unavailable)
required init?(coder aDecoder: NSCoder)
{
super.init(coder: aDecoder)
initCommon()
}
func initCommon()
{
self.title = "Bottom Navigation (Swift)"
let statusVC = ICEChildBottomBarViewController( title: "Status", color: UIColor.orange )
let eventsVC = ICEChildBottomBarViewController( title: "Events", color: UIColor.blue )
let contactsVC = ICEChildBottomBarViewController( title: "Contacts", color: UIColor.cyan )
self.viewControllers = [ statusVC, eventsVC, contactsVC ]
self.addChildViewController( appBar.headerViewController )
let color = UIColor(white: 0.2, alpha:1)
appBar.headerViewController.headerView.backgroundColor = color
appBar.navigationBar.tintColor = .white
appBar.navigationBar.titleTextAttributes = [NSAttributedStringKey.foregroundColor : UIColor.white]
//appBar.headerViewController.viewControllers
commonBottomNavigationTypicalUseSwiftExampleInit()
}
func bottomNavigationBar(_ bottomNavigationBar: MDCBottomNavigationBar, didSelect item: UITabBarItem)
{
print( "did select item \(item.tag)" )
self.selectedIndex = item.tag
//self.viewControllers?[item.tag].addChildViewController( appBar.headerViewController )
//self.selectedViewController = self.viewControllers?[item.tag]
// self.viewControllers
}
func commonBottomNavigationTypicalUseSwiftExampleInit()
{
view.backgroundColor = .lightGray
view.addSubview(bottomNavBar)
// Always show bottom navigation bar item titles.
bottomNavBar.titleVisibility = .always
// Cluster and center the bottom navigation bar items.
bottomNavBar.alignment = .centered
// Add items to the bottom navigation bar.
let tabBarItem1 = UITabBarItem( title: "Status", image: nil, tag: 0 )
let tabBarItem2 = UITabBarItem( title: "Events", image: nil, tag: 1 )
let tabBarItem3 = UITabBarItem( title: "Contacts", image: nil, tag: 2 )
bottomNavBar.items = [ tabBarItem1, tabBarItem2, tabBarItem3 ]
// Select a bottom navigation bar item.
bottomNavBar.selectedItem = tabBarItem1;
bottomNavBar.delegate = self
}
func layoutBottomNavBar()
{
let size = bottomNavBar.sizeThatFits(view.bounds.size)
let bottomNavBarFrame = CGRect( x: 0,
y: view.bounds.height - size.height,
width: size.width,
height: size.height )
bottomNavBar.frame = bottomNavBarFrame
}
override func viewWillLayoutSubviews()
{
super.viewWillLayoutSubviews()
layoutBottomNavBar()
}
#if swift(>=3.2)
#available(iOS 11, *)
override func viewSafeAreaInsetsDidChange()
{
super.viewSafeAreaInsetsDidChange()
layoutBottomNavBar()
}
#endif
override func viewDidLoad()
{
super.viewDidLoad()
self.selectedIndex = 0
appBar.addSubviewsToParent()
// Theme the bottom navigation bar.
MDCBottomNavigationBarColorThemer.applySemanticColorScheme(colorScheme, toBottomNavigation: bottomNavBar);
}
override func viewWillAppear(_ animated: Bool)
{
super.viewWillAppear(animated)
self.navigationController?.setNavigationBarHidden( true, animated: animated )
}
}
// MARK: Catalog by convention
extension ICEBottomNavController
{
class func catalogBreadcrumbs() -> [String] {
return ["Bottom Navigation", "Bottom Navigation (Swift)"]
}
class func catalogIsPrimaryDemo() -> Bool {
return false
}
func catalogShouldHideNavigation() -> Bool {
return true
}
}
And my simple view controllers that should be switched out by the tabs:
import Foundation
import MaterialComponents
import UIKit
class ICEChildBottomBarViewController: UIViewController
{
//let appBar = MDCAppBar()
//var colorScheme = MDCSemanticColorScheme()
var color: UIColor?
init( title: String, color: UIColor )
{
super.init(nibName: nil, bundle: nil)
self.title = title
self.color = color
}
#available(*, unavailable)
required init?(coder aDecoder: NSCoder)
{
super.init(coder: aDecoder)
}
override func viewDidLoad()
{
super.viewDidLoad()
view.backgroundColor = self.color
//appBar.addSubviewsToParent()
}
override func viewWillAppear(_ animated: Bool)
{
super.viewWillAppear(animated)
self.navigationController?.setNavigationBarHidden( true, animated: animated )
}
}
you can use this to switch the controller, the main code
class MaterialTabBarSimple: UITabBarController {
let bottomNavBar = MDCBottomNavigationBar()
// other code copy from Material doc
override func viewDidLoad() {
bottomNavBar = [ your tabBarItems ]
bottomNavBar.delegate = self
self.viewControllers = [ your controllers ]
}
}
extension MaterialTabBarSimple: MDCBottomNavigationBarDelegate {
func bottomNavigationBar(_ bottomNavigationBar: MDCBottomNavigationBar, didSelect item: UITabBarItem) {
print("did select item \(item.tag)")
self.selectedViewController = self.viewControllers![item.tag]
}
}
This code works fine for me for making an MDCBottomNavBar and switching between viewcontrollers. But make sure you are using TabBarController.
import UIKit
import MaterialComponents
class TabBarController: UITabBarController, MDCBottomNavigationBarDelegate {
let bottomNavBar = MDCBottomNavigationBar()
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view.
}
override func viewWillAppear(_ animated: Bool)
{
super.viewWillAppear(animated)
self.navigationController?.setNavigationBarHidden( true, animated: animated )
}
//Initialize Bottom Bar
init()
{
super.init(nibName: nil, bundle: nil)
commonBottomNavigationTypicalUseSwiftExampleInit()
}
#available(*, unavailable)
required init?(coder aDecoder: NSCoder)
{
super.init(coder: aDecoder)
commonBottomNavigationTypicalUseSwiftExampleInit()
}
// Bottom Bar Customization
func commonBottomNavigationTypicalUseSwiftExampleInit()
{
view.backgroundColor = .lightGray
view.addSubview(bottomNavBar)
// Always show bottom navigation bar item titles.
bottomNavBar.titleVisibility = .always
// Cluster and center the bottom navigation bar items.
bottomNavBar.alignment = .centered
// Add items to the bottom navigation bar.
let tabBarItem1 = UITabBarItem( title: "Status", image: nil, tag: 0 )
let tabBarItem2 = UITabBarItem( title: "Events", image: nil, tag: 1 )
let tabBarItem3 = UITabBarItem( title: "Contacts", image: nil, tag: 2 )
bottomNavBar.items = [ tabBarItem1, tabBarItem2, tabBarItem3 ]
// Select a bottom navigation bar item.
bottomNavBar.selectedItem = tabBarItem1;
bottomNavBar.delegate = self
}
func bottomNavigationBar(_ bottomNavigationBar: MDCBottomNavigationBar, didSelect item: UITabBarItem)
{
self.selectedIndex = item.tag
}
override func viewWillLayoutSubviews()
{
super.viewWillLayoutSubviews()
layoutBottomNavBar()
}
#if swift(>=3.2)
#available(iOS 11, *)
override func viewSafeAreaInsetsDidChange()
{
super.viewSafeAreaInsetsDidChange()
layoutBottomNavBar()
}
#endif
// Setting Bottom Bar
func layoutBottomNavBar()
{
let size = bottomNavBar.sizeThatFits(view.bounds.size)
let bottomNavBarFrame = CGRect( x: 0,
y: view.bounds.height - size.height,
width: size.width,
height: size.height )
bottomNavBar.frame = bottomNavBarFrame
}
}
Just create a regular navigation bar at the storyboard with the amount of items that you want. and then connect it to a controller like that one.
(here I used 3 items bottom bar. so as in the storyboard.)
//
// TabViewController.swift
// Test Navigation Bar
//
// Created by ido cohen on 25/11/2018.
// Copyright © 2018 IdoCohen. All rights reserved.
//
import UIKit
import MaterialComponents.MaterialBottomNavigation_ColorThemer
class TabViewController: UITabBarController, MDCBottomNavigationBarDelegate {
var colorScheme = MDCSemanticColorScheme()
let bottomNavBar = MDCBottomNavigationBar()
override func viewDidLoad() {
colorScheme.backgroundColor = .white
view.backgroundColor = colorScheme.backgroundColor
let tabBarItem1 = UITabBarItem(title: "Home", image: UIImage(named: "Home"), tag: 0)
let tabBarItem2 = UITabBarItem(title: "Messages", image: UIImage(named: "Email"), tag: 1)
let tabBarItem3 = UITabBarItem(title: "Favorites", image: UIImage(named: "Cake"), tag: 2)
tabBarItem3.selectedImage = UIImage(named: "Favorite")
bottomNavBar.items = [ tabBarItem1, tabBarItem2, tabBarItem3 ]
bottomNavBar.selectedItem = tabBarItem1
view.addSubview(bottomNavBar)
bottomNavBar.delegate = self
MDCBottomNavigationBarColorThemer.applySemanticColorScheme(colorScheme, toBottomNavigation: bottomNavBar)
}
func bottomNavigationBar(_ bottomNavigationBar: MDCBottomNavigationBar, didSelect item: UITabBarItem){
guard let fromView = selectedViewController?.view, let toView = customizableViewControllers?[item.tag].view else {
return
}
if fromView != toView {
UIView.transition(from: fromView, to: toView, duration: 0.3, options: [.transitionCrossDissolve], completion: nil)
}
self.selectedIndex = item.tag
}
func layoutBottomNavBar() {
let size = bottomNavBar.sizeThatFits(view.bounds.size)
let bottomNavBarFrame = CGRect(x: 0,
y: view.bounds.height - size.height,
width: size.width,
height: size.height)
bottomNavBar.frame = bottomNavBarFrame
}
override func viewWillLayoutSubviews() {
super.viewWillLayoutSubviews()
layoutBottomNavBar()
}
}
I also used a transition in this example for incase you would like to have one. if not just delete it.
Related
How to adjust sublayer on UINavigationController?
In my Swift project, I added a sublayer to UINavigationController. But after adding this GAGradientLayer, I can't see the navigation title text or back button. The weird thing is that in the view hierarchy, the CAGradientLayer(which was added as sublayer) is behind the title and button. I tried to reload navigationController layer with LayoutIfNeeded, setNeedsLayout or setNeedsDisplay but nothing worked. And I also just tried to change the navigation title but it doesn't work. (Actually The text of navigation title is loaded on the view controller behind, so I don't want to change this on this VC.) So, How can I show my navigation title text and button with CAGradientlayer above? Here's the screenshot Here's the codes needed import UIKit import SnapKit class BulletinBoardViewController: UIViewController { // ... var backgroundGradientLayer: CAGradientLayer? let bulletinBoardView = BulletinBoardView() // MARK: - Lifecycles override func viewDidLoad() { super.viewDidLoad() setBulletinBoardView() setCells() } override func viewWillAppear(_ animated: Bool) { setupBackgroundLayer() } override func viewWillDisappear(_ animated: Bool) { self.backgroundGradientLayer?.removeFromSuperlayer() } // MARK: - Helpers func setupBackgroundLayer() { DispatchQueue.main.async { if let backgroundGradientLayer = self.backgroundGradientLayer { backgroundGradientLayer.frame = CGRect(x: 0, y: -59, width: 500, height: 103) self.navigationController?.navigationBar.layer.addSublayer(backgroundGradientLayer) } } } func setBulletinBoardView() { self.view.addSubview(bulletinBoardView) bulletinBoardView.snp.makeConstraints { make in make.right.left.top.equalTo(self.view.safeAreaLayoutGuide) make.bottom.equalTo(self.view) } } // ... } The origin navigation controller setting is below class MainPageViewController: UIViewController { // ... func setupNav() { navigationController?.navigationBar.tintColor = .black navigationItem.rightBarButtonItem = listButton navigationItem.leftBarButtonItem = settingButton let backBarButtonItem = UIBarButtonItem(title: "", style: .plain, target: self, action: nil) self.navigationItem.backBarButtonItem = backBarButtonItem let appearance = UINavigationBarAppearance() appearance.configureWithOpaqueBackground() appearance.backgroundColor = .systemGray3 appearance.titleTextAttributes = [NSAttributedString.Key.font: UIFont(name: AppFontName.bold, size: 20)!] navigationController?.navigationBar.standardAppearance = appearance navigationController?.navigationBar.scrollEdgeAppearance = navigationController?.navigationBar.standardAppearance } // ... }
Navigation bar title truncated after relaunching application
Recently I getting e wired problem When I run my application from XCode navigation title text is showing perfect. But when I close the application and reluanch again text cuts off with ... I tried the following questions but no luck. Here is my BaseViewController import UIKit import SnapKit open class BaseViewController: UIViewController { public lazy var navigationShadowView: UIView = { let view = UIView() DispatchQueue.main.async { let gradientLayer = CAGradientLayer() gradientLayer.colors = [UIColor.Blue10.cgColor, UIColor.Blue0.withAlphaComponent(0.0).cgColor] gradientLayer.frame = view.bounds view.layer.addSublayer(gradientLayer) } return view }() public override func viewDidLoad() { loadDefaults() setupUI() } } extension BaseViewController { private func loadDefaults() { view.backgroundColor = .white tabBarController?.navigationItem.backBarButtonItem = UIBarButtonItem(title: "", style: .plain, target: nil, action: nil) navigationItem.backBarButtonItem = UIBarButtonItem(title: "", style: .plain, target: nil, action: nil) // MARK: Navigation bar bottom shadow view.addSubview(navigationShadowView) navigationShadowView.snp.makeConstraints { make in make.top.equalTo(view.safeAreaLayoutGuide.snp.top) make.leading.equalTo(view.snp.leading) make.trailing.equalTo(view.snp.trailing) make.height.equalTo(10) } } #objc open func setupUI() { } } I populate the view in viewcontroller like below import UIKit import CoreModule import SnapKit import Combine class CustomerProjectListVC: BaseViewController { lazy var refreshControl: UIRefreshControl = { let refresh = UIRefreshControl() refresh.addTarget(self, action: #selector(refreshProjects(_:)), for: .valueChanged) return refresh }() lazy var jobsTableView: UITableView = { let tableView = UITableView() tableView.showsHorizontalScrollIndicator = false tableView.showsVerticalScrollIndicator = false tableView.separatorStyle = .none tableView.rowHeight = 220 tableView.backgroundColor = .Blue0 tableView.addSubview(refreshControl) tableView.register(ProjectListTableViewCell.self, forCellReuseIdentifier: ProjectListTableViewCell.identifier) tableView.dataSource = self tableView.delegate = self return tableView }() private let viewModel = CustomerProjectListViewModel() private var subscription = Set<AnyCancellable>() override func viewDidAppear(_ animated: Bool) { tabBarController?.navigationItem.title = "Project List" tabBarController?.navigationItem.rightBarButtonItem = nil } override func setupUI() { view.addSubview(jobsTableView) jobsTableView.snp.makeConstraints { make in make.top.equalTo(view.safeAreaLayoutGuide.snp.top) make.leading.equalToSuperview() make.trailing.equalToSuperview() make.bottom.equalToSuperview() } populateData() } } Here is the CustomeTabBarController class CustomerTabBarController: UITabBarController { override func viewDidLoad() { super.viewDidLoad() tabBar.backgroundColor = .white viewControllers = [ createNavController(for: sideMenuController(), title: "Home", image: UIImage(named: .TabBarHome)!), createNavController(for: ProfileVC(), title: "Profile", image: UIImage(named: .TabBarProfile)!), createNavController(for: NewPostVC(), title: "Post", image: UIImage(named: .TabBarPost)!), createNavController(for: CustomerProjectListVC(), title: "Chatbox", image: UIImage(named: .TabBarChatBox)!), createNavController(for: HomeVC(), title: "Notification", image: UIImage(named: .TabBarNotification)!) ] } } extension CustomerTabBarController { fileprivate func createNavController(for rootViewController: UIViewController, title: String, image: UIImage) -> UIViewController { rootViewController.tabBarItem.title = title rootViewController.tabBarItem.image = image return rootViewController } } extension CustomerTabBarController { private func configureSideMenu() { SideMenuController.preferences.basic.menuWidth = UIScreen.main.bounds.width - 80 SideMenuController.preferences.basic.position = .above SideMenuController.preferences.basic.direction = .right } private func sideMenuController() -> SideMenuController { configureSideMenu() return SideMenuController(contentViewController: HomeVC(), menuViewController: SideMenuVC()) } } And I am initiating the viewcontroller like following let viewController = CustomerTabBarController() let navigationViewController = UINavigationController(rootViewController: viewController) window?.rootViewController = navigationViewController window?.makeKeyAndVisible() Navigation Bar Shrinking after relaunching app Navigation Bar Title truncated Here I attached some screenshots. Following one is launching from XCode https://pasteboard.co/HHl1vFJYbzeX.png 2nd one is after relaunch https://pasteboard.co/kw3zRZqic9q7.png My question is why this does not happen when runs from XCode but when the app relaunchs. I have tried many ways like setupui from viewdidappear methods and others. But no luck. Please help me out.
It seems like you're setting the title of a wrong view controller and it's also worth checking if you have the correct navigation hierarchy. My best be would that this is causing the problems. The typical hierarchy of tab-based apps is the following: UITabBarController (root) → UINavigationController (one per each tab) → YourViewController. Now, I see that you're setting the navigation title as follows: tabBarController?.navigationItem.title = "Project List" This is strange and unusual. The view controller is supposed to set its own title like this: navigationItem.title = "Project List" Then its parent UINavigationController will be able use this title. It's also worth setting the title in viewDidLoad, not it viewDidAppear so that the title is visible before the transition animation and not after it. So check the hierarchy of the view controllers in the app and make sure each view controller only sets its own navigation title. If that doesn't help, I'll be happy to retract my answer to avoid confusion.
IOS UISegmentedControl doesn't not display in ios 10
I'm a beginner in IOS. I'm developping a Swift app and I am using a UISegmentedControl. It displays well in ios 11, but when I run my app on a IOS 10 device, the segmented control is not showing. Does anyone know why ? Is the segmented control only available in IOS 11 ? Here are the screenshots of my app (sorry I can't post images yet) : IOS 11 IOS10 Here is my SegmentedViewController.swift : import UIKit import MMDrawerController class SegmentedViewController: UIViewController { #IBOutlet weak var viewContainer: UIView! var segmentedController: UISegmentedControl! var floorRequest:Int = 0 var segmentedControlIndex:Int = 0 lazy var travelViewController: TravelViewController = { var viewController = self.initTravelViewController() return viewController }() lazy var nearbyViewController: NearbyTableViewController = { let storyboard = UIStoryboard(name: "Main", bundle: Bundle.main) var viewController = storyboard.instantiateViewController(withIdentifier: "NearbyTableViewController") as! NearbyTableViewController self.addViewControllerAsChildViewController(childViewController: viewController) return viewController }() var views: [UIView]! let appDelegate:AppDelegate = UIApplication.shared.delegate as! AppDelegate func initTravelViewController() -> TravelViewController { let storyboard = UIStoryboard(name: "Main", bundle: Bundle.main) let viewController = storyboard.instantiateViewController(withIdentifier: "TravelViewController") as! TravelViewController viewController.floorRequest = floorRequest self.addViewControllerAsChildViewController(childViewController: viewController) return viewController } override func viewDidLoad() { super.viewDidLoad() segmentedController = UISegmentedControl() navigationItem.titleView = segmentedController self.title = "TAB_BAR_MAP".localized() } override func viewWillAppear(_ animated: Bool) { self.tabBarController?.navigationItem.title = "MENU_SECTION_TRAVEL".localized().uppercased() // Navigation Bar self.navigationController?.navigationBar.titleTextAttributes = [NSForegroundColorAttributeName : UIColor.white, NSFontAttributeName: UIFont(name: "Lato-Bold", size: 18)!] self.navigationController?.navigationBar.tintColor = .white self.navigationController?.navigationBar.barTintColor = appDelegate.colorAqaDark self.navigationController?.navigationBar.isTranslucent = false self.navigationItem.backBarButtonItem = UIBarButtonItem(title: "", style: .plain, target: nil, action: nil) if (self.navigationController?.viewControllers.count)! < 2 { let buttonLeft: UIButton = appDelegate.aqaBarButton(image: #imageLiteral(resourceName: "IconWhiteMenu")) buttonLeft.addTarget(self, action: #selector(toggleMenu), for: .touchUpInside) buttonLeft.frame = CGRect.init(x: 0, y: 0, width: 25, height: 25) let buttonMenu = UIBarButtonItem(customView: buttonLeft) self.navigationItem.setLeftBarButton(buttonMenu, animated: false); } setupView() super.viewWillAppear(animated) } override func didReceiveMemoryWarning() { super.didReceiveMemoryWarning() // Dispose of any resources that can be recreated. } func toggleMenu() { appDelegate.mainContainer!.toggle(MMDrawerSide.left, animated: true, completion: nil) } private func setupView(){ setupSegmentedControl() updateView() } private func updateView(){ travelViewController.view.isHidden = !(segmentedController.selectedSegmentIndex == 0) nearbyViewController.view.isHidden = (segmentedController.selectedSegmentIndex == 0) segmentedControlIndex = segmentedController.selectedSegmentIndex } private func setupSegmentedControl(){ segmentedController.removeAllSegments() segmentedController.insertSegment(withTitle: "TAB_BAR_MAP".localized(), at: 0, animated: false) segmentedController.insertSegment(withTitle: "TAB_BAR_NEARBY".localized(), at: 1, animated: false) segmentedController.addTarget(self, action: #selector(selectionDidChange(sender:)), for: .valueChanged) segmentedController.selectedSegmentIndex = segmentedControlIndex } func selectionDidChange(sender: UISegmentedControl){ updateView() } private func addViewControllerAsChildViewController(childViewController: UIViewController){ addChildViewController(childViewController) view.addSubview(childViewController.view) childViewController.view.frame = view.bounds childViewController.view.autoresizingMask = [.flexibleWidth, .flexibleHeight] childViewController.didMove(toParentViewController: self) } }
The problem is that you are not giving the segmented control any size. In iOS 11 the title view is sized internally by autolayout, but not in iOS 10 or before. So you end up with a segmented control of zero size.
Using Page View Controller inside Tab Swift
MY WORK SO FAR: So I have a Tab bar that looks like this: When I click on "Canteen" I want to be directed to a Page View Controller where I can swipe between different pages but stay on the same tab. I have this somewhat working: I have the Storyboard setup like this: As you can see that segue above is coming from the Tab Bar Controller. The third view (Can Page Item Controller, ID: "CanItemController) is used for all pages in the page view. The second view above (Page View Controller, ID: "CanPageController) is used for controlling the Pages (duh) The first view (CanteenViewController) contains all the code and makes all the connections. This is where everything goes on. The code inside this class is here: import UIKit class CanteenViewController: UIViewController, UIPageViewControllerDataSource { // MARK: - Variables private var pageViewController: UIPageViewController? private let contentImages = ["Radar-512.png", "dartp.png", "roomp.png", "abnews.png", "canteenp.png"]; override func viewDidLoad() { super.viewDidLoad() createPageViewController() setupPageControl() } override func didReceiveMemoryWarning() { super.didReceiveMemoryWarning() // Dispose of any resources that can be recreated. } private func createPageViewController() { let pageController = self.storyboard!.instantiateViewControllerWithIdentifier("CanPageController") as! UIPageViewController pageController.dataSource = self if contentImages.count > 0 { let firstController = getItemController(0)! let startingViewControllers: NSArray = [firstController] pageController.setViewControllers(startingViewControllers as [AnyObject], direction: UIPageViewControllerNavigationDirection.Forward, animated: false, completion: nil) } pageViewController = pageController addChildViewController(pageViewController!) self.view.addSubview(pageViewController!.view) pageViewController!.didMoveToParentViewController(self) } private func setupPageControl() { let appearance = UIPageControl.appearance() appearance.pageIndicatorTintColor = UIColor.grayColor() appearance.currentPageIndicatorTintColor = UIColor.whiteColor() appearance.backgroundColor = UIColor.darkGrayColor() } // MARK: - UIPageViewControllerDataSource func pageViewController(pageViewController: UIPageViewController, viewControllerBeforeViewController viewController: UIViewController) -> UIViewController? { let itemController = viewController as! CanPageItemController if itemController.itemIndex > 0 { return getItemController(itemController.itemIndex-1) } return nil } func pageViewController(pageViewController: UIPageViewController, viewControllerAfterViewController viewController: UIViewController) -> UIViewController? { let itemController = viewController as! CanPageItemController if itemController.itemIndex+1 < contentImages.count { return getItemController(itemController.itemIndex+1) } return nil } private func getItemController(itemIndex: Int) -> CanPageItemController? { if itemIndex < contentImages.count { let pageItemController = self.storyboard!.instantiateViewControllerWithIdentifier("CanItemController") as! CanPageItemController pageItemController.itemIndex = itemIndex pageItemController.imageName = contentImages[itemIndex] return pageItemController } return nil } // MARK: - Page Indicator func presentationCountForPageViewController(pageViewController: UIPageViewController) -> Int { return contentImages.count } func presentationIndexForPageViewController(pageViewController: UIPageViewController) -> Int { return 0 } } I HAVE 2 PROBLEMS: I can't see any page indicators at all. This comes from the following code: private func setupPageControl() { let appearance = UIPageControl.appearance() appearance.pageIndicatorTintColor = UIColor.grayColor() appearance.currentPageIndicatorTintColor = UIColor.whiteColor() appearance.backgroundColor = UIColor.darkGrayColor() } Is there a way I can add a page indicator in the storyboard and reference that programatically. That way maybe I could add constraints and have more control. I think the page indicator might be hidden behind the Tab Bar. Though constraints are also giving me issues, which leads me to problem 2 As you can see in the Item Controller, I have a UIImageView and the constraints are all set right. But when I run the app the image appears for a second (completely out of proportion) and then disappears. i.e - my constraints simply don't work properly Question Is my approach in general just wrong? Or is there a few little changes I can make to fix the above problems. I I've been following a tutorial (on Ray Wenderlich I think), and it all worked fine until I tried to integrate it with my Tab Bar.
Leave all above thing, just do as following. Edited : As per Swift 5 class CanteenViewController: UIViewController, UIScrollViewDelegate { #IBOutlet var scrHelp: UIScrollView! #IBOutlet var pageControl: UIPageControl! var page = 0 let arrContent: [[String: Any]] = [["name" : "Title1", "icon" : "Radar-512"], ["name" : "Title2", "icon" : "dartp"], ["name" : "Title3", "icon" : "roomp"], ["name" : "Title4", "icon" : "abnews"], ["name" : "Title5", "icon" : "canteenp"]] override func viewDidLoad() { super.viewDidLoad() self.title = "Canteen" // Do any additional setup after loading the view, typically from a nib. self.createHelpView() self.pageControl.backgroundColor = UIColor.clear self.pageControl.pageIndicatorTintColor = UIColor.lightGray self.pageControl.currentPageIndicatorTintColor = UIColor(red: 251/255, green: 108/255, blue: 108/255, alpha: 1.0) self.pageControl.tintAdjustmentMode = UIView.TintAdjustmentMode.dimmed self.pageControl.numberOfPages = self.arrContent.count self.pageControl.currentPage = 0 } func createHelpView() { var x = 50 var i = 0 for item in self.arrContent { let lblTitle = UILabel(frame: CGRect(origin: CGPoint(x: CGFloat(x), y: 10), size: CGSize(width: CGFloat(self.scrHelp.frame.width-100), height: 25))) lblTitle.autoresizingMask = UIView.AutoresizingMask.flexibleBottomMargin lblTitle.backgroundColor = UIColor.clear lblTitle.font = UIFont.systemFont(ofSize: 17) lblTitle.textAlignment = NSTextAlignment.center lblTitle.textColor = UIColor.black lblTitle.text = item["name"] as? String //self.arrTitle[i] self.scrHelp.addSubview(lblTitle) let imgView = UIImageView(frame: CGRect(origin: CGPoint(x: CGFloat(x), y: 50), size: CGSize(width: CGFloat(self.scrHelp.frame.width-100), height: CGFloat(self.scrHelp.frame.height-150)))) imgView.autoresizingMask = UIView.AutoresizingMask.flexibleBottomMargin imgView.backgroundColor = UIColor.clear imgView.image = UIImage(named: (item["icon"] as! String)) imgView.contentMode = UIView.ContentMode.scaleAspectFit self.scrHelp.addSubview(imgView) x = x + Int(self.scrHelp.frame.width) i = i + 1 } self.scrHelp.contentSize = CGSize(width: (CGFloat(self.arrContent.count) * self.view.frame.width), height: 0) } func scrollViewDidScroll(_ scrollView: UIScrollView) { let pageWidth = CGFloat(self.scrHelp.frame.width) let fractionalPage = self.scrHelp.contentOffset.x / pageWidth self.page = lround(CDouble(fractionalPage)) self.pageControl.currentPage = self.page } } At last, add UIScrollView and UIPageControl to you storyboard and set respective outlet and constraint.
Execute action when back bar button of UINavigationController is pressed
I need to execute an action (emptying an array), when the back button of a UINavigationController is pressed, while the button still causes the previous ViewController on the stack to appear. How could I accomplish this using swift?
Replacing the button to a custom one as suggested on another answer is possibly not a great idea as you will lose the default behavior and style. One other option you have is to implement the viewWillDisappear method on the View Controller and check for a property named isMovingFromParentViewController. If that property is true, it means the View Controller is disappearing because it's being removed (popped). Should look something like: override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) if self.isMovingFromParentViewController { // Your code... } } In swift 4.2 override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) if self.isMovingFromParent { // Your code... } }
One option would be implementing your own custom back button. You would need to add the following code to your viewDidLoad method: - (void) viewDidLoad { [super viewDidLoad]; self.navigationItem.hidesBackButton = YES; UIBarButtonItem *newBackButton = [[UIBarButtonItem alloc] initWithTitle:#"Back" style:UIBarButtonItemStyleBordered target:self action:#selector(back:)]; self.navigationItem.leftBarButtonItem = newBackButton; } - (void) back:(UIBarButtonItem *)sender { // Perform your custom actions // ... // Go back to the previous ViewController [self.navigationController popViewControllerAnimated:YES]; } UPDATE: Here is the version for Swift: override func viewDidLoad { super.viewDidLoad() self.navigationItem.hidesBackButton = true let newBackButton = UIBarButtonItem(title: "Back", style: UIBarButtonItemStyle.Bordered, target: self, action: "back:") self.navigationItem.leftBarButtonItem = newBackButton } #objc func back(sender: UIBarButtonItem) { // Perform your custom actions // ... // Go back to the previous ViewController self.navigationController?.popViewControllerAnimated(true) } UPDATE 2: Here is the version for Swift 3: override func viewDidLoad { super.viewDidLoad() self.navigationItem.hidesBackButton = true let newBackButton = UIBarButtonItem(title: "Back", style: UIBarButtonItemStyle.plain, target: self, action: #selector(YourViewController.back(sender:))) self.navigationItem.leftBarButtonItem = newBackButton } #objc func back(sender: UIBarButtonItem) { // Perform your custom actions // ... // Go back to the previous ViewController _ = navigationController?.popViewController(animated: true) }
override func willMove(toParent parent: UIViewController?) { super.willMove(toParent: parent) if parent == nil { print("This VC is 'will' be popped. i.e. the back button was pressed.") } }
I was able to achieve this with the following : Swift 3 override func didMoveToParentViewController(parent: UIViewController?) { super.didMoveToParentViewController(parent) if parent == nil { println("Back Button pressed.") delegate?.goingBack() } } Swift 4 override func didMove(toParent parent: UIViewController?) { super.didMove(toParent: parent) if parent == nil { debugPrint("Back Button pressed.") } } No need of custom back button.
If you want to have back button with back arrow you can use an image and code below backArrow.png backArrow#2x.png backArrow#3x.png override func viewDidLoad() { super.viewDidLoad() let customBackButton = UIBarButtonItem(image: UIImage(named: "backArrow") , style: .plain, target: self, action: #selector(backAction(sender:))) customBackButton.imageInsets = UIEdgeInsets(top: 2, left: -8, bottom: 0, right: 0) navigationItem.leftBarButtonItem = customBackButton } func backAction(sender: UIBarButtonItem) { // custom actions here navigationController?.popViewController(animated: true) }
I created this (swift) class to create a back button exactly like the regular one, including back arrow. It can create a button with regular text or with an image. Usage weak var weakSelf = self // Assign back button with back arrow and text (exactly like default back button) navigationItem.leftBarButtonItems = CustomBackButton.createWithText("YourBackButtonTitle", color: UIColor.yourColor(), target: weakSelf, action: #selector(YourViewController.tappedBackButton)) // Assign back button with back arrow and image navigationItem.leftBarButtonItems = CustomBackButton.createWithImage(UIImage(named: "yourImageName")!, color: UIColor.yourColor(), target: weakSelf, action: #selector(YourViewController.tappedBackButton)) func tappedBackButton() { // Do your thing self.navigationController!.popViewControllerAnimated(true) } CustomBackButtonClass (code for drawing the back arrow created with Sketch & Paintcode plugin) class CustomBackButton: NSObject { class func createWithText(text: String, color: UIColor, target: AnyObject?, action: Selector) -> [UIBarButtonItem] { let negativeSpacer = UIBarButtonItem(barButtonSystemItem: UIBarButtonSystemItem.FixedSpace, target: nil, action: nil) negativeSpacer.width = -8 let backArrowImage = imageOfBackArrow(color: color) let backArrowButton = UIBarButtonItem(image: backArrowImage, style: UIBarButtonItemStyle.Plain, target: target, action: action) let backTextButton = UIBarButtonItem(title: text, style: UIBarButtonItemStyle.Plain , target: target, action: action) backTextButton.setTitlePositionAdjustment(UIOffset(horizontal: -12.0, vertical: 0.0), forBarMetrics: UIBarMetrics.Default) return [negativeSpacer, backArrowButton, backTextButton] } class func createWithImage(image: UIImage, color: UIColor, target: AnyObject?, action: Selector) -> [UIBarButtonItem] { // recommended maximum image height 22 points (i.e. 22 #1x, 44 #2x, 66 #3x) let negativeSpacer = UIBarButtonItem(barButtonSystemItem: UIBarButtonSystemItem.FixedSpace, target: nil, action: nil) negativeSpacer.width = -8 let backArrowImageView = UIImageView(image: imageOfBackArrow(color: color)) let backImageView = UIImageView(image: image) let customBarButton = UIButton(frame: CGRectMake(0,0,22 + backImageView.frame.width,22)) backImageView.frame = CGRectMake(22, 0, backImageView.frame.width, backImageView.frame.height) customBarButton.addSubview(backArrowImageView) customBarButton.addSubview(backImageView) customBarButton.addTarget(target, action: action, forControlEvents: .TouchUpInside) return [negativeSpacer, UIBarButtonItem(customView: customBarButton)] } private class func drawBackArrow(frame frame: CGRect = CGRect(x: 0, y: 0, width: 14, height: 22), color: UIColor = UIColor(hue: 0.59, saturation: 0.674, brightness: 0.886, alpha: 1), resizing: ResizingBehavior = .AspectFit) { /// General Declarations let context = UIGraphicsGetCurrentContext()! /// Resize To Frame CGContextSaveGState(context) let resizedFrame = resizing.apply(rect: CGRect(x: 0, y: 0, width: 14, height: 22), target: frame) CGContextTranslateCTM(context, resizedFrame.minX, resizedFrame.minY) let resizedScale = CGSize(width: resizedFrame.width / 14, height: resizedFrame.height / 22) CGContextScaleCTM(context, resizedScale.width, resizedScale.height) /// Line let line = UIBezierPath() line.moveToPoint(CGPoint(x: 9, y: 9)) line.addLineToPoint(CGPoint.zero) CGContextSaveGState(context) CGContextTranslateCTM(context, 3, 11) line.lineCapStyle = .Square line.lineWidth = 3 color.setStroke() line.stroke() CGContextRestoreGState(context) /// Line Copy let lineCopy = UIBezierPath() lineCopy.moveToPoint(CGPoint(x: 9, y: 0)) lineCopy.addLineToPoint(CGPoint(x: 0, y: 9)) CGContextSaveGState(context) CGContextTranslateCTM(context, 3, 2) lineCopy.lineCapStyle = .Square lineCopy.lineWidth = 3 color.setStroke() lineCopy.stroke() CGContextRestoreGState(context) CGContextRestoreGState(context) } private class func imageOfBackArrow(size size: CGSize = CGSize(width: 14, height: 22), color: UIColor = UIColor(hue: 0.59, saturation: 0.674, brightness: 0.886, alpha: 1), resizing: ResizingBehavior = .AspectFit) -> UIImage { var image: UIImage UIGraphicsBeginImageContextWithOptions(size, false, 0) drawBackArrow(frame: CGRect(origin: CGPoint.zero, size: size), color: color, resizing: resizing) image = UIGraphicsGetImageFromCurrentImageContext() UIGraphicsEndImageContext() return image } private enum ResizingBehavior { case AspectFit /// The content is proportionally resized to fit into the target rectangle. case AspectFill /// The content is proportionally resized to completely fill the target rectangle. case Stretch /// The content is stretched to match the entire target rectangle. case Center /// The content is centered in the target rectangle, but it is NOT resized. func apply(rect rect: CGRect, target: CGRect) -> CGRect { if rect == target || target == CGRect.zero { return rect } var scales = CGSize.zero scales.width = abs(target.width / rect.width) scales.height = abs(target.height / rect.height) switch self { case .AspectFit: scales.width = min(scales.width, scales.height) scales.height = scales.width case .AspectFill: scales.width = max(scales.width, scales.height) scales.height = scales.width case .Stretch: break case .Center: scales.width = 1 scales.height = 1 } var result = rect.standardized result.size.width *= scales.width result.size.height *= scales.height result.origin.x = target.minX + (target.width - result.width) / 2 result.origin.y = target.minY + (target.height - result.height) / 2 return result } } } SWIFT 3.0 class CustomBackButton: NSObject { class func createWithText(text: String, color: UIColor, target: AnyObject?, action: Selector) -> [UIBarButtonItem] { let negativeSpacer = UIBarButtonItem(barButtonSystemItem: UIBarButtonSystemItem.fixedSpace, target: nil, action: nil) negativeSpacer.width = -8 let backArrowImage = imageOfBackArrow(color: color) let backArrowButton = UIBarButtonItem(image: backArrowImage, style: UIBarButtonItemStyle.plain, target: target, action: action) let backTextButton = UIBarButtonItem(title: text, style: UIBarButtonItemStyle.plain , target: target, action: action) backTextButton.setTitlePositionAdjustment(UIOffset(horizontal: -12.0, vertical: 0.0), for: UIBarMetrics.default) return [negativeSpacer, backArrowButton, backTextButton] } class func createWithImage(image: UIImage, color: UIColor, target: AnyObject?, action: Selector) -> [UIBarButtonItem] { // recommended maximum image height 22 points (i.e. 22 #1x, 44 #2x, 66 #3x) let negativeSpacer = UIBarButtonItem(barButtonSystemItem: UIBarButtonSystemItem.fixedSpace, target: nil, action: nil) negativeSpacer.width = -8 let backArrowImageView = UIImageView(image: imageOfBackArrow(color: color)) let backImageView = UIImageView(image: image) let customBarButton = UIButton(frame: CGRect(x: 0, y: 0, width: 22 + backImageView.frame.width, height: 22)) backImageView.frame = CGRect(x: 22, y: 0, width: backImageView.frame.width, height: backImageView.frame.height) customBarButton.addSubview(backArrowImageView) customBarButton.addSubview(backImageView) customBarButton.addTarget(target, action: action, for: .touchUpInside) return [negativeSpacer, UIBarButtonItem(customView: customBarButton)] } private class func drawBackArrow(_ frame: CGRect = CGRect(x: 0, y: 0, width: 14, height: 22), color: UIColor = UIColor(hue: 0.59, saturation: 0.674, brightness: 0.886, alpha: 1), resizing: ResizingBehavior = .AspectFit) { /// General Declarations let context = UIGraphicsGetCurrentContext()! /// Resize To Frame context.saveGState() let resizedFrame = resizing.apply(CGRect(x: 0, y: 0, width: 14, height: 22), target: frame) context.translateBy(x: resizedFrame.minX, y: resizedFrame.minY) let resizedScale = CGSize(width: resizedFrame.width / 14, height: resizedFrame.height / 22) context.scaleBy(x: resizedScale.width, y: resizedScale.height) /// Line let line = UIBezierPath() line.move(to: CGPoint(x: 9, y: 9)) line.addLine(to: CGPoint.zero) context.saveGState() context.translateBy(x: 3, y: 11) line.lineCapStyle = .square line.lineWidth = 3 color.setStroke() line.stroke() context.restoreGState() /// Line Copy let lineCopy = UIBezierPath() lineCopy.move(to: CGPoint(x: 9, y: 0)) lineCopy.addLine(to: CGPoint(x: 0, y: 9)) context.saveGState() context.translateBy(x: 3, y: 2) lineCopy.lineCapStyle = .square lineCopy.lineWidth = 3 color.setStroke() lineCopy.stroke() context.restoreGState() context.restoreGState() } private class func imageOfBackArrow(_ size: CGSize = CGSize(width: 14, height: 22), color: UIColor = UIColor(hue: 0.59, saturation: 0.674, brightness: 0.886, alpha: 1), resizing: ResizingBehavior = .AspectFit) -> UIImage { var image: UIImage UIGraphicsBeginImageContextWithOptions(size, false, 0) drawBackArrow(CGRect(origin: CGPoint.zero, size: size), color: color, resizing: resizing) image = UIGraphicsGetImageFromCurrentImageContext()! UIGraphicsEndImageContext() return image } private enum ResizingBehavior { case AspectFit /// The content is proportionally resized to fit into the target rectangle. case AspectFill /// The content is proportionally resized to completely fill the target rectangle. case Stretch /// The content is stretched to match the entire target rectangle. case Center /// The content is centered in the target rectangle, but it is NOT resized. func apply(_ rect: CGRect, target: CGRect) -> CGRect { if rect == target || target == CGRect.zero { return rect } var scales = CGSize.zero scales.width = abs(target.width / rect.width) scales.height = abs(target.height / rect.height) switch self { case .AspectFit: scales.width = min(scales.width, scales.height) scales.height = scales.width case .AspectFill: scales.width = max(scales.width, scales.height) scales.height = scales.width case .Stretch: break case .Center: scales.width = 1 scales.height = 1 } var result = rect.standardized result.size.width *= scales.width result.size.height *= scales.height result.origin.x = target.minX + (target.width - result.width) / 2 result.origin.y = target.minY + (target.height - result.height) / 2 return result } } }
In Swift 5 and Xcode 10.2 Please don't add custom bar button item, use this default behaviour. No need of viewWillDisappear, no need of custom BarButtonItem etc... It's better to detect when the VC is removed from it's parent. Use any one of these two functions override func willMove(toParent parent: UIViewController?) { super.willMove(toParent: parent) if parent == nil { callStatusDelegate?.backButtonClicked()//Here write your code } } override func didMove(toParent parent: UIViewController?) { super.didMove(toParent: parent) if parent == nil { callStatusDelegate?.backButtonClicked()//Here write your code } } If you want stop default behaviour of back button then add custom BarButtonItem.
If you are using navigationController then add the UINavigationControllerDelegate protocol to class and add the delegate method as follows: class ViewController:UINavigationControllerDelegate { func navigationController(navigationController: UINavigationController, willShowViewController viewController: UIViewController, animated: Bool) { if viewController === self { // do here what you want } } } This method is called whenever the navigation controller will slide to a new screen. If the back button was pressed, the new view controller is ViewController itself.
You can subclass UINavigationController and override popViewController(animated: Bool). Beside being able to execute some code there you can also prevent the user from going back altogether, for instance to prompt to save or discard his current work. Sample implementation where you can set a popHandler that gets set/cleared by pushed controllers. class NavigationController: UINavigationController { var popHandler: (() -> Bool)? override func popViewController(animated: Bool) -> UIViewController? { guard self.popHandler?() != false else { return nil } self.popHandler = nil return super.popViewController(animated: animated) } } And sample usage from a pushed controller that tracks unsaved work. let hasUnsavedWork: Bool = // ... (self.navigationController as! NavigationController).popHandler = hasUnsavedWork ? { // Prompt saving work here with an alert return false // Prevent pop until as user choses to save or discard } : nil // No unsaved work, we clear popHandler to let it pop normally As a nice touch, this will also get called by interactivePopGestureRecognizer when the user tries to go back using a swipe gesture.
NO override func willMove(toParentViewController parent: UIViewController?) { } This will get called even if you are segueing to the view controller in which you are overriding this method. In which check if the "parent" is nil of not is not a precise way to be sure of moving back to the correct UIViewController. To determine exactly if the UINavigationController is properly navigating back to the UIViewController that presented this current one, you will need to conform to the UINavigationControllerDelegate protocol. YES note: MyViewController is just the name of whatever UIViewController you want to detect going back from. 1) At the top of your file add UINavigationControllerDelegate. class MyViewController: UIViewController, UINavigationControllerDelegate { 2) Add a property to your class that will keep track of the UIViewController that you are segueing from. class MyViewController: UIViewController, UINavigationControllerDelegate { var previousViewController:UIViewController 3) in MyViewController's viewDidLoad method assign self as the delegate for your UINavigationController. override func viewDidLoad() { super.viewDidLoad() self.navigationController?.delegate = self } 3) Before you segue, assign the previous UIViewController as this property. // In previous UIViewController override func prepare(for segue: UIStoryboardSegue, sender: Any?) { if segue.identifier == "YourSegueID" { if let nextViewController = segue.destination as? MyViewController { nextViewController.previousViewController = self } } } 4) And conform to one method in MyViewController of the UINavigationControllerDelegate func navigationController(_ navigationController: UINavigationController, willShow viewController: UIViewController, animated: Bool) { if viewController == self.previousViewController { // You are going back } }
In my case the viewWillDisappear worked best. But in some cases one has to modify the previous view controller. So here is my solution with access to the previous view controller and it works in Swift 4: override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) if isMovingFromParentViewController { if let viewControllers = self.navigationController?.viewControllers { if (viewControllers.count >= 1) { let previousViewController = viewControllers[viewControllers.count-1] as! NameOfDestinationViewController // whatever you want to do previousViewController.callOrModifySomething() } } } }
Before leave current controller I need to show alert. So I did it this way: Add extention to UINavigationController with UINavigationBarDelegate Add selector to your controller navigationShouldPopOnBack(completion:) It's worked) extension UINavigationController: UINavigationBarDelegate { public func navigationBar(_ navigationBar: UINavigationBar, shouldPop item: UINavigationItem) -> Bool { if let items = navigationBar.items, viewControllers.count < items.count { return true } let clientInfoVC = topViewController as? ClientInfoVC if clientInfoVC?.responds(to: #selector(clientInfoVC?.navigationShouldPopOnBack)) ?? false { clientInfoVC?.navigationShouldPopOnBack(completion: { isAllowPop in if isAllowPop { DispatchQueue.main.async { self.popViewController(animated: true) } } }) } DispatchQueue.main.async { self.popViewController(animated: true) } return false } } #objc func navigationShouldPopOnBack(completion: #escaping (Bool) -> ()) { let ok = UIAlertAction(title: R.string.alert.actionOk(), style: .default) { _ in completion(true) } let cancel = UIAlertAction(title: R.string.alert.actionCancel(), style: .cancel) { _ in completion(false) } let alertController = UIAlertController(title: "", message: R.string.alert.contractMessage(), preferredStyle: .alert) alertController.addAction(ok) alertController.addAction(cancel) present(alertController, animated: true, completion: nil) }
When back button is pressed, ignore interactive pop with screen edge gesture. override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) if isMovingFromParent, transitionCoordinator?.isInteractive == false { // code here } }
It's not difficult as we thing. Just create a frame for UIButton with clear background color, assign action for the button and place over the navigationbar back button. And finally remove the button after use. Here is the Swift 3 sample code done with UIImage instead of UIButton override func viewDidLoad() { super.viewDidLoad() let imageView = UIImageView() imageView.backgroundColor = UIColor.clear imageView.frame = CGRect(x:0,y:0,width:2*(self.navigationController?.navigationBar.bounds.height)!,height:(self.navigationController?.navigationBar.bounds.height)!) let tapGestureRecognizer = UITapGestureRecognizer(target: self, action: #selector(back(sender:))) imageView.isUserInteractionEnabled = true imageView.addGestureRecognizer(tapGestureRecognizer) imageView.tag = 1 self.navigationController?.navigationBar.addSubview(imageView) } write the code need to be executed func back(sender: UIBarButtonItem) { // Perform your custom actions} _ = self.navigationController?.popViewController(animated: true) } Remove the subView after action is performed override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) for view in (self.navigationController?.navigationBar.subviews)!{ if view.tag == 1 { view.removeFromSuperview() } }
This is my solution extension UINavigationController: UINavigationBarDelegate { public func navigationBar(_ navigationBar: UINavigationBar, shouldPop item: UINavigationItem) -> Bool { if let shouldBlock = self.topViewController?.shouldPopFromNavigation() { return shouldBlock } return true } } extension UIViewController { #objc func shouldPopFromNavigation() -> Bool { return true } } In your view controller, you can handle like this: #objc override func shouldPopFromNavigation() -> Bool { // Your dialog, example UIAlertViewController or whatever you want return false }
Swift 4.2: override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) if self.isMovingFromParent { // Your code... } }
For Swift 5, we can check it in view will disappear override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) if self.isMovingFromParent { delegate?.passValue(clickedImage: selectedImage) } }
Swift 3: override func didMove(toParentViewController parent: UIViewController?) { super.didMove(toParentViewController: parent) if parent == nil{ print("Back button was clicked") } }
just do control + drag the bar item to below func. work like charm #IBAction func done(sender: AnyObject) { if((self.presentingViewController) != nil){ self.dismiss(animated: false, completion: nil) print("done") } }
Swift 5 __ Xcode 11.5 In my case I wanted to make an animation, and when it finished, go back. A way to overwrite the default action of the back button and call your custom action is this: override func viewDidAppear(_ animated: Bool) { super.viewDidAppear(animated) setBtnBack() } private func setBtnBack() { for vw in navigationController?.navigationBar.subviews ?? [] where "\(vw.classForCoder)" == "_UINavigationBarContentView" { print("\(vw.classForCoder)") for subVw in vw.subviews where "\(subVw.classForCoder)" == "_UIButtonBarButton" { let ctrl = subVw as! UIControl ctrl.removeTarget(ctrl.allTargets.first, action: nil, for: .allEvents) ctrl.addTarget(self, action: #selector(backBarBtnAction), for: .touchUpInside) } } } #objc func backBarBtnAction() { doSomethingBeforeBack { [weak self](isEndedOk) in if isEndedOk { self?.navigationController?.popViewController(animated: true) } } } private func doSomethingBeforeBack(completion: #escaping (_ isEndedOk:Bool)->Void ) { UIView.animate(withDuration: 0.25, animations: { [weak self] in self?.vwTxt.alpha = 0 }) { (isEnded) in completion(isEnded) } } Or you can use this method one time to explore the NavigationBar view hierarchy, and get the indexes to access to the _UIButtonBarButton view, cast to UIControl, remove the target-action, and add your custom targets-actions: private func debug_printSubviews(arrSubviews:[UIView]?, level:Int) { for (i,subVw) in (arrSubviews ?? []).enumerated() { var str = "" for _ in 0...level { str += "\t" } str += String(format: "%2d %#",i, "\(subVw.classForCoder)") print(str) debug_printSubviews(arrSubviews: subVw.subviews, level: level + 1) } } // Set directly the indexs private func setBtnBack_method2() { // Remove or comment the print lines debug_printSubviews(arrSubviews: navigationController?.navigationBar.subviews, level: 0) let ctrl = navigationController?.navigationBar.subviews[1].subviews[0] as! UIControl print("ctrl.allTargets: \(ctrl.allTargets)") ctrl.removeTarget(ctrl.allTargets.first, action: nil, for: .allEvents) print("ctrl.allTargets: \(ctrl.allTargets)") ctrl.addTarget(self, action: #selector(backBarBtnAction), for: .touchUpInside) print("ctrl.allTargets: \(ctrl.allTargets)") }
override public func viewDidLoad() { super.viewDidLoad() self.navigationController?.navigationBar.topItem?.title = GlobalVariables.selectedMainIconName let image = UIImage(named: "back-btn") image = image?.imageWithRenderingMode(UIImageRenderingMode.AlwaysOriginal) self.navigationItem.leftBarButtonItem = UIBarButtonItem(image: image, style: UIBarButtonItemStyle.Plain, target: self, action: #selector(Current[enter image description here][1]ViewController.back) ) } func back() { self.navigationController?.popToViewController( self.navigationController!.viewControllers[ self.navigationController!.viewControllers.count - 2 ], animated: true) }
override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) if self.isMovingToParent { //your code backView } }
Try this . self.navigationItem.leftBarButtonItem?.target = "methodname" func methodname ( ) { // enter code here } Try on this too. override func viewWillAppear(animated: Bool) { //empty your array }
As I understand you want to empty your array as you press your back button and pop to your previous ViewController let your Array which you loaded on this screen is let settingArray = NSMutableArray() #IBAction func Back(sender: AnyObject) { self. settingArray.removeAllObjects() self.dismissViewControllerAnimated(true, completion: nil) }
Here is the simplest possible Swift 5 solution that doesn't require you to create a custom back button and give up all that UINavigationController left button functionality you get for free. As Brandon A recommends above, you need need to implement UINavigationControllerDelegate in the view controller you want to interact with before returning to it. A good way is to create an unwind segue that you can perform manually or automatically and reuse the same code from a custom done button or the back button. First, make your view controller of interest (the one you want to detect returning to) a delegate of the navigation controller in its viewDidLoad: override func viewDidLoad() { super.viewDidLoad() navigationController?.delegate = self } Second, add an extension at the bottom of the file that overrides navigationController(willShow:animated:) extension PickerTableViewController: UINavigationControllerDelegate { func navigationController(_ navigationController: UINavigationController, willShow viewController: UIViewController, animated: Bool) { if let _ = viewController as? EditComicBookViewController { let selectedItemRow = itemList.firstIndex(of: selectedItemName) selectedItemIndex = IndexPath(row: selectedItemRow!, section: 0) if let selectedCell = tableView.cellForRow(at: selectedItemIndex) { performSegue(withIdentifier: "PickedItem", sender: selectedCell) } } } } Since your question included a UITableViewController, I included a way to get the index path of the row the user tapped.
I accomplished this by calling/overriding viewWillDisappear and then accessing the stack of the navigationController like this: override func viewWillDisappear(animated: Bool) { super.viewWillDisappear(animated) let stack = self.navigationController?.viewControllers.count if stack >= 2 { // for whatever reason, the last item on the stack is the TaskBuilderViewController (not self), so we only use -1 to access it if let lastitem = self.navigationController?.viewControllers[stack! - 1] as? theViewControllerYoureTryingToAccess { // hand over the data via public property or call a public method of theViewControllerYoureTryingToAccess, like lastitem.emptyArray() lastitem.value = 5 } } }
You can do something in your Viewcontroller like override func navigationShouldPopOnBackButton() -> Bool { self.backAction() //Your action you want to perform. return true } For complete answer use Detecting when the 'back' button is pressed on a navbar
My preference was to override the popViewController in the Navigation Controller. The advantages of this is: Your app keeps the default Back Button look and animations, and you don't have to manage it. This is particularly helpful if a user has Large Text set on their phone, since the default back button will increase or decrease in size based on the user settings. You can stop the view from popping altogether, unlike using viewWillDisappear. First, create a custom Navigation Controller class (and be sure to assign it to the Navigation Controller in your Story Board or wherever your navigation controller is created): class NavControllerWithBackButtonOverride: UINavigationController { var backButtonOverride: (() -> Void)? = nil override func popViewController(animated: Bool) -> UIViewController? { if backButtonOverride != nil { //if anything is assigned to the backButtonOverride the override will run self.backButtonOverride!() return nil } else { //otherwise the default popViewController will run return super.popViewController(animated: animated) } } } Then enable/disable the override in your View Controller by assigning a value to the backButtonOverride variable: override func viewWillAppear(_ animated: Bool) { super.viewWillAppear(animated) self.enableCustomBackButton() } override func viewWillDisappear(_ animated: Bool) { super.viewWillDisappear(animated) self.disableCustomBackButton() } /** Custom Back Button */ func customBackButtonAction() { print("DO THIS INSTEAD") } func enableCustomBackButton() { if let nav = self.navigationController as? NavControllerWithBackButtonOverride { nav.backButtonOverride = { self.customBackButtonAction() } nav.interactivePopGestureRecognizer?.isEnabled = false } } func disableCustomBackButton() { if let nav = self.navigationController as? NavControllerWithBackButtonOverride { nav.backButtonOverride = nil nav.interactivePopGestureRecognizer?.isEnabled = true } } Note: I also disabled interactivePopGestureRecognizer because it was causing issues with the custom setup.
Swift 5+ (Back button with alert control) override func viewDidLoad() { super.viewDidLoad() self.navigationItem.hidesBackButton = true let newBackButton = UIBarButtonItem(title: "<Back", style: UIBarButtonItem.Style.plain, target: self, action: #selector(PGWebViewController.back(sender:))) self.navigationItem.leftBarButtonItem = newBackButton } #objc func back(sender: UIBarButtonItem) { let alert = UIAlertController(title: "Warning!", message: "Your payment process is not completed yet. Do you want to go back?", preferredStyle: .alert) let ok = UIAlertAction(title: "OK", style: .default, handler: { action in _ = self.navigationController?.popViewController(animated: true) }) alert.addAction(ok) let cancel = UIAlertAction(title: "Cancel", style: .default, handler: { action in }) alert.addAction(cancel) DispatchQueue.main.async(execute: { self.present(alert, animated: true) })}
You can simply remove unnecessary controllers from the stack, something like this: self.navigationController?.viewControllers.removeAll(where: { $0 is FirstViewController || $0 is SecondWithPinController })