< How to present a new view using sheets | How to present a full screen modal view using fullScreenCover() > |
Updated for Xcode 12.5
When you show a SwiftUI view using a sheet, it’s common to want to dismiss that view when something happens – when the user taps on a button, for example. There are two ways of solving this in SwiftUI, and I’m going to show you both so you can decide which suits your needs.
The first option is to tell the view to dismiss itself using its presentation mode environment key. Any view can read its presentation mode using @Environment(\.presentationMode)
, and calling wrappedValue.dismiss()
on that will cause the view to be dismissed.
For example, we could create a detail view that is able to dismiss itself using its presentation mode environment key, and present that from ContentView
;
struct DetailView: View {
@Environment(\.presentationMode) var presentationMode
var body: some View {
Button("Dismiss Me") {
presentationMode.wrappedValue.dismiss()
}
}
}
struct ContentView: View {
@State private var showingDetail = false
var body: some View {
Button("Show Detail") {
showingDetail = true
}
.sheet(isPresented: $showingDetail) {
DetailView()
}
}
}
The other option is to pass a binding into the view that was shown, so it can changing the binding’s value back to false. You still need to have some sort of state property in your presenting view, but now you pass that into the detail view as a binding.
Using this approach, the detail view settings its binding to false also updates the state in the original view, causing the detail view to dismiss – both the detail view and original view point to the same Boolean value, so changing one changes it in the other place too.
Here’s that in code:
struct DetailView: View {
@Binding var isPresented: Bool
var body: some View {
Button("Dismiss Me") {
isPresented = false
}
}
}
struct ContentView: View {
@State private var showingDetail = false
var body: some View {
Button("Show Detail") {
showingDetail = true
}
.sheet(isPresented: $showingDetail) {
DetailView(isPresented: $showingDetail)
}
}
}
SPONSORED Building and maintaining in-app subscription infrastructure is hard. Luckily there's a better way. With RevenueCat, you can implement subscriptions for your app in hours, not months, so you can get back to building your app.
Sponsor Hacking with Swift and reach the world's largest Swift community!
Link copied to your pasteboard.