'How to use UIAccessibility.post(notification: .layoutChanged, argument: nil) in SwiftUI to move focus to specific view

I have one button on screen and on that button tap it opens one modal (view). but after closing that view, the focus of accessibility voice over goes on top of screen. In UIKit we can use UIAccessibility.post(notification: .layoutChanged, argument: nil) and pass reference as an argument. But how can we achieve this same behaviour in SwiftUI.



Solution 1:[1]

How I managed this was using a .accessibilityHidden wrapper on the very top level of the parent view and then used a @State variable as the value to pass into accessibilityHidden. This way the parent view is ignored while the modal is showing. And then reintroduced into the view once the modal is closed again.

struct MainView: View {
    @State var showingModal = false
    var body: some View {
        VStack {
            Button(action: {
                showingModal = true
            }, label: {
                Text("Open Modal")
            })
            .fullScreenCover(isPresented: $showingModal, onDismiss: {
               print("Focus coming back to main view")
            } content: {
                Modal()
            })
        }
        .accessibilityHidden(self.showingModal)
    }
}

struct Modal: View {
    @Environment(\.presentationMode) var presentationMode
    var body: some View {
        VStack {
            Text("Focus will move here")
            Button(action: {
                presentationMode.wrappedValue.dismiss()
            }) {
                Text("Close Modal to Refocus Back")
            }
        }
    }
}

You can also chain multiple modal / alerts as long at you have @State values to handle the changes to them so the focus moves properly

.accessibilityHidden(self.showingModel1 || self.showingModel2 || self.showingAlert1 || self.showingAlert2)

I know this question is really old, but I literally just was handling this and thought if someone else stumbled onto this question there would be an answer here.

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1 Tyler Hack