Navigation

Module 1 of 11 0%

Navigation

What is Navigation in iOS Apps?

Navigation in iOS applications refers to the system of moving users between different screens and content areas within your app. It’s essentially how users traverse your application’s interface, allowing them to access different features and content.

In iOS, navigation is more than just moving from one screen to another—it’s a core part of the user experience that:

iOS provides several built-in navigation patterns and components that iOS users are familiar with, including:

Why Proper Navigation Architecture Matters

Implementing a well-structured navigation system is crucial for several reasons:

1. Maintainability

2. Code Reusability

3. Testability

4. User Experience Consistency

5. Adaptability to Platform Changes

UIKit Navigation Approaches

1. Segues and Storyboards

Storyboards provide a visual way to design your app’s user interface and define the transitions (segues) between view controllers.

How It Works

  1. You create view controllers in a storyboard and define their properties
  2. You connect view controllers with segues to establish navigation paths
  3. Segues can be triggered by user actions (like button taps) or programmatically

Types of Segues

Code Example

// Triggering a segue programmatically
@IBAction func buttonTapped(_ sender: UIButton) {
    performSegue(withIdentifier: "showDetailSegue", sender: self)
}

// Preparing for a segue
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
    if segue.identifier == "showDetailSegue" {
        if let destinationVC = segue.destination as? DetailViewController {
            destinationVC.itemId = selectedItemId
        }
    }
}

Visual Representation

┌────────────────┐     showDetailSegue     ┌────────────────┐
│                │ ───────────────────────>│                │
│  MainScreen    │                         │  DetailScreen  │
│                │ <───────────────────────│                │
└────────────────┘                         └────────────────┘

Pros

Cons

2. Programmatic Navigation (Push/Present)

Programmatic navigation involves writing code to explicitly push, present, or dismiss view controllers.

How It Works

  1. Create and configure view controller instances in code
  2. Use UINavigationController methods to push/pop or use present/dismiss directly
  3. Handle view controller transitions manually

A UINavigationController is a fundamental container view controller in UIKit that manages a stack of view controllers in a navigation hierarchy. Here’s an explanation of what it is and why it’s used:

A UINavigationController is a container view controller that:

  1. Manages a stack of view controllers - It maintains an ordered array of view controllers (the navigation stack)
  2. Provides a navigation bar - The bar at the top of the screen shows the current view controller’s title and navigation controls (like back buttons)
  3. Handles navigation transitions - It manages the animations and transitions when moving between screens in the stack
  4. Maintains navigation history - It keeps track of the user’s path through your app’s interface

Code Example

// Push navigation example
func navigateToDetail(withId id: String) {
    let detailVC = DetailViewController()
    detailVC.itemId = id
    navigationController?.pushViewController(detailVC, animated: true)
}

// Modal presentation example
func presentSettings() {
    let settingsVC = SettingsViewController()
    settingsVC.delegate = self
    settingsVC.modalPresentationStyle = .formSheet
    present(settingsVC, animated: true, completion: nil)
}

// Dismissing a modal
@IBAction func dismissButtonTapped(_ sender: UIButton) {
    dismiss(animated: true, completion: nil)
}

// Popping from navigation stack
@IBAction func backButtonTapped(_ sender: UIButton) {
    navigationController?.popViewController(animated: true)
}

Visual Representation

Navigation Stack:

┌────────────────┐     push     ┌────────────────┐
│                │ ───────────> │                │
│  MainScreen    │              │  DetailScreen  │
│                │ <─────────── │                │
└────────────────┘     pop      └────────────────┘

Modal Presentation:

┌────────────────┐   present    ┌────────────────┐
│                │ ───────────> │                │
│  MainScreen    │              │  SettingsVC    │
│                │ <─────────── │                │
└────────────────┘   dismiss    └────────────────┘

Pros

Cons

3. Tab-Based Navigation

Tab-based navigation uses a UITabBarController to switch between distinct sections of your app.

How It Works

  1. Create a UITabBarController as the root of your app
  2. Configure multiple view controllers as tabs
  3. Each tab can have its own navigation stack

Code Example

func setupTabBarController() {
    let tabBarController = UITabBarController()

    // Create first tab - Home with its navigation controller
    let homeVC = HomeViewController()
    homeVC.tabBarItem = UITabBarItem(
        title: "Home",
        image: UIImage(systemName: "house"),
        selectedImage: UIImage(systemName: "house.fill")
    )
    let homeNavController = UINavigationController(rootViewController: homeVC)

    // Create second tab - Profile with its navigation controller
    let profileVC = ProfileViewController()
    profileVC.tabBarItem = UITabBarItem(
        title: "Profile",
        image: UIImage(systemName: "person"),
        selectedImage: UIImage(systemName: "person.fill")
    )
    let profileNavController = UINavigationController(rootViewController: profileVC)

    // Set view controllers for tab bar controller
    tabBarController.viewControllers = [homeNavController, profileNavController]

    // Set as root view controller
    window?.rootViewController = tabBarController
}

Visual Representation

┌─────────────────────────┐
│   UITabBarController    │
└─────────────────────────┘
      /             \
     /               \
    /                 \
┌─────────────────┐      ┌─────────────────┐
│ Home Nav Stack  │      │ Profile Nav Stack│
└─────────────────┘      └─────────────────┘
|                       |
▼                       ▼
┌─────────────────┐      ┌─────────────────┐
│    HomeVC       │      │    ProfileVC    │
└─────────────────┘      └─────────────────┘
│
▼
┌─────────────────┐
│    DetailVC     │
└─────────────────┘

[   Home   |   Profile   ]  <- Tab Bar

Pros

Cons

4. Container View Controllers

Container view controllers manage and display content from other view controllers, allowing for custom navigation patterns.

How It Works

  1. Create a custom container view controller
  2. Add child view controllers to display their content
  3. Manage transitions between children

Code Example

class ContainerViewController: UIViewController {
    private var currentViewController: UIViewController?

    func displayViewController(_ viewController: UIViewController) {
        // Remove current view controller if it exists
        if let currentVC = currentViewController {
            currentVC.willMove(toParent: nil)
            currentVC.view.removeFromSuperview()
            currentVC.removeFromParent()
        }

        // Add new view controller
        addChild(viewController)
        view.addSubview(viewController.view)

        // Configure view controller's view
        viewController.view.frame = view.bounds
        viewController.view.autoresizingMask = [.flexibleWidth, .flexibleHeight]

        // Complete the transition
        viewController.didMove(toParent: self)
        currentViewController = viewController
    }

    func transitionToViewController(_ viewController: UIViewController, duration: TimeInterval = 0.3) {
        // Start transition
        let previousVC = currentViewController
        addChild(viewController)

        // Set up new view for animation
        viewController.view.frame = view.bounds
        viewController.view.alpha = 0
        view.addSubview(viewController.view)

        // Animate transition
        UIView.animate(withDuration: duration, animations: {
            viewController.view.alpha = 1
            previousVC?.view.alpha = 0
        }, completion: { _ in
            // Clean up previous view controller
            previousVC?.willMove(toParent: nil)
            previousVC?.view.removeFromSuperview()
            previousVC?.removeFromParent()

            // Complete transition
            viewController.didMove(toParent: self)
            self.currentViewController = viewController
        })
    }
}

// Usage example
let containerVC = ContainerViewController()
let homeVC = HomeViewController()
containerVC.displayViewController(homeVC)

// Later transition to a different view controller
let detailVC = DetailViewController()
containerVC.transitionToViewController(detailVC)

Visual Representation

┌────────────────────────────────────┐
│  Container View Controller         │
│                                    │
│  ┌─────────────────────────────┐   │
│  │  Child View Controller      │   │
│  └─────────────────────────────┘   │
└────────────────────────────────────┘

Pros

Cons

The Coordinator Pattern in iOS

Origin and Purpose

The Coordinator pattern was introduced to the iOS community by Soroush Khanlou in his 2015 talk at NSSpain titled “Coordinators Redux.” The pattern addresses a fundamental challenge in iOS development: managing navigation and flow logic between view controllers.

The Purpose

Before Coordinators, iOS developers typically handled navigation in one of two ways:

  1. View controllers managing their own navigation, creating and presenting other view controllers directly
  2. Using storyboards and segues to define navigation paths visually

Both approaches had significant drawbacks, particularly as apps grew in complexity:

The core purpose of the Coordinator pattern is to extract navigation and flow logic out of view controllers into dedicated objects called Coordinators. These Coordinators are responsible for:

By doing this, view controllers can focus solely on their primary responsibility: managing views and user interactions within a single screen.

Benefits of the Coordinator Pattern

1. Separation of Concerns

2. Improved Testability

3. Enhanced Reusability

4. More Maintainable Codebase

Basic Implementation with Unsplash App Example

Let’s examine a real-world implementation of the Coordinator pattern using the Unsplash app example. This implementation demonstrates how coordinators manage different flows within the application.

UINavigationController in the Coordinator Pattern

In the Coordinator pattern, the UINavigationController is particularly important because:

  1. Navigation Control - The coordinator needs direct access to a navigation controller to push and pop view controllers
  2. Centralized Navigation Management - By injecting the navigation controller into the coordinator, we give the coordinator full control over navigation
  3. Separation of Concerns - View controllers don’t need to know about the navigation controller; they just tell the coordinator what the user wants to do.

1. Main Coordinator Structure

The MainCoordinator serves as the entry point of the application’s coordination system:

final class MainCoordinator {
    let navigationController: UINavigationController
    let authenticationCoordinator: AuthenticationCoordinator
    let browseCoordinator: BrowseCoordinator

    init(_ navigationController: UINavigationController) {
        self.navigationController = navigationController
        self.browseCoordinator = BrowseCoordinator()
        self.authenticationCoordinator = AuthenticationCoordinator(navigationController)
        self.authenticationCoordinator.delegate = self

        let rootViewController = authenticationCoordinator.rootViewController()
        navigationController.setViewControllers([rootViewController], animated: false)
    }
}

Key implementation points:

2. Coordinator Communication with Delegates

Coordinators communicate with each other using delegate protocols. When authentication succeeds, the MainCoordinator responds by showing the browse flow:

extension MainCoordinator: AuthenticationCoordinatorDelegate {
    func userDidSuccessfullyAuthenticate() {
        let viewController = browseCoordinator.rootViewController()
        viewController.modalPresentationStyle = .fullScreen
        browseCoordinator.delegate = self

        navigationController.present(viewController, animated: true)
    }
}

extension MainCoordinator: BrowseCoordinatorDelegate {
    func userDidLogOut() {
        navigationController.popToRootViewController(animated: false)
    }
}

Key implementation points:

3. Flow-Specific Coordinators

The AuthenticationCoordinator manages all navigation within the authentication flow:

final class AuthenticationCoordinator {
    weak var delegate: AuthenticationCoordinatorDelegate?
    private var navigationController: UINavigationController

    init(_ navigationController: UINavigationController) {
        self.navigationController = navigationController
    }

    func rootViewController() -> UIViewController {
        let authentication = WelcomeViewFactory.create()
        authentication.delegate = self
        return authentication
    }
}

extension AuthenticationCoordinator: WelcomeViewDelegate {
    func navigateToLogIn() {
        let viewController = LogInViewFactory.create()
        viewController.delegate = self
        navigationController.pushViewController(viewController, animated: true)
    }

    func navigateToCreateAccount() {
        let viewController = CreateAccountViewFactory.create()
        viewController.delegate = self
        navigationController.pushViewController(viewController, animated: true)
    }

    func navigateToBrowse() {
        delegate?.userDidSuccessfullyAuthenticate()
    }
}

Key implementation points:

4. Navigation Within a Flow

The AuthenticationCoordinator also manages sub-flows within authentication:

extension AuthenticationCoordinator: LogInViewDelegate {
    func navigateToForgotPassword() {
        let viewController = ForgotPasswordViewFactory.create()
        viewController.delegate = self
        navigationController.pushViewController(viewController, animated: true)
    }

    func userDidLogInSuccessfully() {
        delegate?.userDidSuccessfullyAuthenticate()
    }
}

extension AuthenticationCoordinator: ForgotPasswordViewDelegate {
    func navigateBackToLogIn() {
        if let viewController = navigationController.viewControllers.first(where: {
            $0.isKind(of: LogInViewController.self)
        }) {
            navigationController.popToViewController(viewController, animated: true)
        } else {
            navigationController.popToRootViewController(animated: true)
        }
    }
}

Key implementation points:

5. Complex UI Structures with Coordinators

The BrowseCoordinator demonstrates how to handle more complex UI structures like tab bar controllers:

final class BrowseCoordinator {
    weak var delegate: BrowseCoordinatorDelegate?

    func rootViewController() -> UIViewController {
        // Browse
        let browse = BrowseViewFactory.create()
        browse.delegate = self
        let browseNavViewController = UINavigationController(rootViewController: browse)

        // Likes
        let likes = LikesFactory.create()
        likes.delegate = self
        let likesNavViewController = UINavigationController(rootViewController: likes)

        // Settings
        let settings = SettingsFactory.create()
        settings.delegate = self
        let settingsNavViewController = UINavigationController(rootViewController: settings)

        let tabbar = UITabBarController()
        tabbar.setViewControllers([browseNavViewController, likesNavViewController, settingsNavViewController], animated: true)
        return tabbar
    }
}

Key implementation points:

6. Handling Different Types of Navigation

The BrowseCoordinator handles different navigation scenarios within its flow:

extension BrowseCoordinator: BrowseViewDelegate {
    func openPictureDetails(picture: PictureModel, _ navigationController: UINavigationController) {
        let pictureDetails = PictureDetailsFactory.create(picture: picture)
        pictureDetails.delegate = self
        pictureDetails.hidesBottomBarWhenPushed = true
        navigationController.pushViewController(pictureDetails, animated: true)
    }
}

extension BrowseCoordinator: SettingsViewDelegate {
    func navigateToChangePassword(navigationController: UINavigationController) {
        let changePassword = ChangePasswordFactory.create()
        changePassword.delegate = self
        navigationController.pushViewController(changePassword, animated: true)
    }

    func userDidLogOut() {
        delegate?.userDidLogOut()
    }
}

Key implementation points:

Hierarchical Coordinator Architecture

The Unsplash app example demonstrates a hierarchical coordinator architecture:

  1. MainCoordinator: Top-level coordinator that manages app-wide navigation flows
  2. AuthenticationCoordinator: Manages the authentication flow (welcome, login, signup, forgot password)
  3. BrowseCoordinator: Manages the main app experience after authentication (browse, likes, settings)

This hierarchical structure offers several benefits:

Implementing Coordinator Communication

The Unsplash example demonstrates communication between coordinators using delegation:

protocol AuthenticationCoordinatorDelegate: AnyObject {
    func userDidSuccessfullyAuthenticate()
}

protocol BrowseCoordinatorDelegate: AnyObject {
    func userDidLogOut()
}

This delegate-based communication:

Factory Pattern Integration

The example integrates the Factory pattern with coordinators:

func rootViewController() -> UIViewController {
    let authentication = WelcomeViewFactory.create()
    authentication.delegate = self
    return authentication
}

This combination:

Best Practices for Implementing Coordinators

Based on the Unsplash app example, here are best practices for implementing the Coordinator pattern:

  1. Use delegation for communication: Establish clear protocols for coordinator communication
  2. Keep coordinators focused: Each coordinator should handle a specific flow or section of the app
  3. Use weak references for delegates: Prevent memory leaks with proper reference management
  4. Combine with Factory pattern: Use factories to create and configure view controllers
  5. Pass only what’s needed: Only pass navigation controllers or data that coordinators need
  6. Handle navigation logic exclusively in coordinators: Never let view controllers perform navigation
  7. Structure hierarchically: Organize coordinators in a hierarchy that mirrors your app’s structure
  8. Use appropriate navigation techniques: Different flows might require different navigation approaches (push, present, etc.)

Implementation Challenges and Solutions

Memory Management

Challenge: Potential for retain cycles between coordinators and view controllers.

Solution in the example:

weak var delegate: AuthenticationCoordinatorDelegate?

Always use weak references for delegates to prevent memory leaks.

Challenge: Multiple navigation controllers in complex UIs like tab bars.

Solution in the example:

func openPictureDetails(picture: PictureModel, _ navigationController: UINavigationController) {
    // Navigation logic using the passed navigationController
}

Pass the specific navigation controller to coordinator methods when handling navigation within tabs.

Coordinator Lifecycle

Challenge: Managing the lifecycle of child coordinators.

Solution: The parent coordinator maintains strong references to child coordinators and is responsible for their lifecycle.

let authenticationCoordinator: AuthenticationCoordinator
let browseCoordinator: BrowseCoordinator

Practical Implementation for Homework Assignment

For implementing navigation from Sign In to Sign Up, here’s how to apply the Coordinator pattern:

  1. Create a coordinator protocol:
protocol Coordinator: AnyObject {
    func start()
}
  1. Implement an AuthCoordinator:
class AuthCoordinator: Coordinator {
    private let navigationController: UINavigationController

    init(navigationController: UINavigationController) {
        self.navigationController = navigationController
    }

    func start() {
        showSignIn()
    }

    func showSignIn() {
        let signInVC = SignInViewController()
        signInVC.delegate = self
        navigationController.setViewControllers([signInVC], animated: false)
    }

    func showSignUp() {
        let signUpVC = SignUpViewController()
        signUpVC.delegate = self
        navigationController.pushViewController(signUpVC, animated: true)
    }
}
  1. Implement View Controller delegates:
extension AuthCoordinator: SignInViewControllerDelegate {
    func didTapSignUp() {
        showSignUp()
    }
}

extension AuthCoordinator: SignUpViewControllerDelegate {
    func didTapBack() {
        navigationController.popViewController(animated: true)
    }
}
  1. Set up in AppDelegate/SceneDelegate:
func scene(_ scene: UIScene,
           willConnectTo session: UISceneSession,
           options connectionOptions: UIScene.ConnectionOptions) {

    guard let windowScene = (scene as? UIWindowScene) else { return }

    let window = UIWindow(windowScene: windowScene)
    let navigationController = UINavigationController()

    let authCoordinator = AuthCoordinator(navigationController: navigationController)
    authCoordinator.start()

    window.rootViewController = navigationController
    window.makeKeyAndVisible()
    self.window = window
}

By following this implementation pattern, you will be able to successfully implement a coordinator that navigates between Sign In and Sign Up screens.