Say Goodbye to dismiss: A State-Driven Path to More Maintainable SwiftUI

Published on

In SwiftUI development, the environment value dismiss is greatly favored by many developers for its flexibility and adaptive behavior. It can intelligently close the current view depending on context—dismissing a modal window, popping a view from a navigation stack, or even automatically closing the sidebar in a multi-column navigation container. This seemingly “universal” convenience often makes it a go-to tool.

However, with convenience frequently comes hidden risk. Overusing dismiss can embed potential pitfalls in your app, creating testing difficulties and leading to stability issues that can be hard to track down. This article explains why we should be cautious when using dismiss and introduces more robust and reliable state management approaches. By re-examining how views appear and disappear, we can build SwiftUI apps that are more stable, easier to maintain, and more predictable.

Imperative Operations in a Reactive Framework

As a reactive framework, SwiftUI’s core philosophy is to drive UI changes via state. Typically, developers “update the state first, then let the framework automatically refresh the view.” However, in actual development, there are always certain interaction scenarios that can’t be cleanly or obviously expressed via state alone.

To address these special needs, SwiftUI includes a series of imperative operations. They’re typically injected into views as environment values so developers can call them directly when needed. Common examples include: dismiss, openWindow, openURL, and refresh.

These imperative operations are quite flexible and intuitive. They bypass potentially complex and cumbersome state passing and seem to offer a simpler, more direct way to handle interactions.

When I first encountered SwiftUI, I was enamored with these operations. For instance, I created a library called SheetKit, allowing developers to easily present modal views in an imperative way:

Swift
@Environment(\.sheetKit) var sheetKit

Button("show sheet"){
   sheetKit.present{
     Text("Hello world")
   }
}

Yet, as my understanding of the SwiftUI framework deepened and my projects became more complex, I gradually realized that these “convenient” approaches hide some real pitfalls:

  1. They reduce a view’s testability.
  2. They increase the difficulty of maintaining the project later on.
  3. They may introduce unintended “side effects” that make the app unstable.

Hence, in my development practices over the last few years, I’ve cut back significantly on imperative operations—unless there’s no other choice. This isn’t merely about better code quality; it’s also to ensure stability and maintainability in long-term development.

The Hidden Trap of dismiss

A few days ago, I came across a post on the Apple Developer Forums where a developer described an issue causing their app to completely freeze after a specific sequence of actions. When I examined the source code, the familiar line immediately caught my eye: @Environment(\.dismiss) var dismiss.

My intuition told me the culprit was likely dismiss. Sure enough, after commenting out that line of code, the app instantly went back to normal. This phenomenon is not an isolated incident, but rather a category of subtle yet common issues.

I was able to pinpoint the cause quickly thanks to years of experience and extensive community feedback. On my Discord channel, there’s a growing collection of crash reports and anomalies related to dismiss. They commonly manifest in two severe ways:

  • CPU usage skyrockets, sometimes hitting 100%.
  • Unpredictable refreshes or reloads of lower-level views in a navigation container.

What makes it even more frustrating is that dismiss-induced problems are typically hidden and unpredictable. In some situations, it appears normal, but under certain code combinations, view hierarchies, or system versions, it can suddenly trigger major performance drops or full-blown stability crashes.

While the exact root cause of these dismiss issues remains unclear, I suspect its overly “intelligent” adaptive behavior is partly to blame. Because dismiss automatically changes its behavior based on the current view context, it introduces complexity that can lead to instability.

Therefore, even if you haven’t yet encountered such issues, I strongly recommend caution: treat dismiss carefully, and default to more explicit, controllable, state-driven management whenever possible.

Decoupling dismiss from the View

In SwiftUI, directly using the environment value dismiss may look convenient, but can blur the lines of view state management—especially given the reuse of views and the complexity of interactions. To minimize these risks, we should keep the dismissal logic separate from the view itself. Below are three common, efficient ways to achieve this decoupling.

Decoupling via Binding

Here’s a typical example of managing view presentation through a Binding:

Swift
struct PresentView: View {
  let item: Item
  @Binding var isPresented: Bool
  var body: some View {
    VStack {
      Text(item.id, format: .number)
      Button("Dismiss") {
        isPresented = false
      }
    }
  }
}

A Binding essentially wraps a getter and a setter. It doesn’t have to bind to a concrete state variable; that is, there’s no rule requiring the dismiss-related state to be a Boolean. For instance, you can map an optional state to a more convenient Boolean as follows:

Swift
struct ParentView: View {
  @State var item: Item?
  var body: some View {
    Button("Pop Sheet") {
      item = Item(id: 123)
    }
    .sheet(item: $item) { item in
      let binding = Binding<Bool>(
        get: { self.item != nil },
        set: {
          if !$0 {
            self.item = nil
          }
        }
      )
      PresentView(item: item, isPresented: binding)
    }
  }
}

To make this conversion process even more streamlined, you can add an extension to Binding to improve clarity:

Swift
extension Binding {
  /// Creates a Bool Binding representing “non-nil” from an Optional Binding.
  static func isPresent<T: Sendable>(_ binding: Binding<T?>) -> Binding<Bool> {
    Binding<Bool>(
      get: { binding.wrappedValue != nil },
      set: { isPresented in
        if !isPresented {
          binding.wrappedValue = nil
        }
      }
    )
  }
}

// Usage
.sheet(item: $item) { item in
    PresentView(item: item, isPresent: .isPresent($item))
}

With this approach, PresentView is fully independent of any specific state variable, and dismissing is simply a matter of setting isPresented to false.

Decoupling via Functions

Because the getter in a Binding<Bool> doesn’t really do much in a dismissal scenario, you can pass the dismissal logic as a function directly. This approach is clearer in terms of intent:

Swift
struct PresentView: View {
  let item: Item
  var dismiss: () -> Void
  var body: some View {
    VStack {
      Text(item.id, format: .number)
      Button("Dismiss") {
        dismiss()
      }
    }
  }
}

struct ParentView: View {
  @State var item: Item?
  var body: some View {
    Button("Pop Sheet") {
      item = Item(id: 123)
    }
    .sheet(item: $item) { item in
      PresentView(item: item, dismiss: { self.item = nil })
    }
  }
}

Decoupling via Custom Environment Values

When dismissal logic spans multiple views or levels, creating a custom environment value can be a more elegant and convenient approach. It’s especially helpful when managing modal views centrally:

Swift
extension EnvironmentValues {
  @Entry var dismissAction: () -> Void = {}
}

struct PresentView: View {
  let item: Item
  @Environment(\.dismissAction) private var dismiss
  var body: some View {
    VStack {
      Text(item.id, format: .number)
      Button("Dismiss") {
        dismiss()
      }
    }
  }
}

struct ParentView: View {
  @State var item: Item?
  var body: some View {
    Button("Pop Sheet") {
      item = Item(id: 123)
    }
    .sheet(item: $item) { item in
      PresentView(item: item)
        .environment(\.dismissAction, { self.item = nil})
    }
  }
}

Each of these three decoupling methods has advantages, and you can choose whichever best fits your development scenario. The key principle is to keep dismissal logic clearly separated from the view itself, improving readability, testability, and maintainability over time.

Optimizing State Management

After publishing this article, some developers pointed out a potential issue: Since the dismiss action for a view is usually declared within the parent view’s body, any state change in the parent view after presenting a modal view could trigger unnecessary recalculations of the presented views—especially if these views use bindings or injected environment values. This scenario might introduce performance problems in certain situations.

If you’ve encountered such issues and they indeed affect your app’s performance, here are some straightforward and effective optimization strategies:

Optimizing the Binding Scenario

When using bindings to manage the dismiss action, unnecessary recalculations can be avoided by conforming the presented view (such as PresentView) to the Equatable protocol and customizing the equality logic.

For example, extend your PresentView to selectively compare relevant state properties:

Swift
// Compare only the states relevant to the view's presentation
extension PresentView: Equatable {
  nonisolated static func == (lhs: Self, rhs: Self) -> Bool {
    lhs.item == rhs.item
  }
}

For more details about optimizing SwiftUI view recalculations using the Equatable protocol, refer to the article: How to Avoid Repeating SwiftUI View Updates.

Optimizing the EnvironmentValues Scenario

For cases where dismiss actions are passed via environment values, a simpler yet effective optimization technique is to selectively modify environment values using transformEnvironment, as described in SwiftUI Environment: Concepts and Practice.

First, redefine your environment value as follows:

Swift
extension EnvironmentValues {
  @Entry var dismissAction: (() -> Void)? = nil
}

Then, instead of using the standard environment modifier, inject your environment value selectively with transformEnvironment:

Swift
.sheet(item: $item) { item in
  PresentView(item: item)
    .transformEnvironment(\.dismissAction) { dismissAction in
      guard dismissAction == nil else { return }
      dismissAction = { self.item = nil }
    }
}

// How to invoke the dismiss action within your view:
Button("Dismiss") {
  dismiss?()
}

In addition to the methods described above, we can also cache the dismiss action in the parent view using @State, or extract both state and dismiss logic into a cross-view viewModel, further reducing unnecessary view updates.

These optimization techniques are not limited to the dismiss scenarios discussed here—they can be effectively applied to any situation where parent view state or closures capturing parent state are passed directly to child views. Utilizing these methods can significantly reduce unnecessary view recalculations and enhance your app’s performance.

Extending the Use Cases of dismiss

By customizing dismiss logic, you can transcend the limitations of the native dismiss operation and implement richer, more flexible strategies for managing views.

For example, define an enum to represent different dismissal actions:

Swift
enum DismissAction {
  case dismiss       // Close the current view
  case dismissAll    // Close all stacked views
}

extension EnvironmentValues {
  @Entry var dismissAction: (DismissAction) -> Void = { _ in }
}

// Example usage
.sheet(item: $item) { item in
    PresentView(item: item)
      .environment(\.dismissAction, { _ in
        self.item = nil
      })
 }

With this approach, you can handle not only single-view dismissals, but also more complex scenarios:

  • Quickly dismiss a single view
  • Close multiple layered modal views at once
  • Return to the root view of a complex navigation structure

Such a custom dismissal mechanism provides a more precise and controllable navigation and interaction experience in SwiftUI apps.

Conclusion

While SwiftUI’s built-in dismiss appears straightforward, it can cause severe stability and maintenance issues in practice. From what we’ve discussed:

  1. Prefer explicit, controllable, state-driven methods.
  2. Keep the dismiss operation decoupled from view logic whenever possible.
  3. Choose an approach that is predictable and maintainable in the long run.

Developers should always maintain clear control over their view states, rather than relying on “magical,” high-risk adaptive operations. This is not only a good coding habit, but also a crucial step toward building stable and reliable SwiftUI applications.

Weekly Swift & SwiftUI highlights!