SwiftUIでスワイプジェスチャーをUIKitと同じ動作に戻す方法(interactivePopGestureRecognizer)


9

インタラクティブなポップジェスチャー認識機能では、ユーザーが画面の半分(またはそれらの線の周り)を超えてスワイプすると、ナビゲーションスタックの前のビューに戻ることができます。SwiftUIでは、スワイプが十分でないとジェスチャーがキャンセルされません。

SwiftUI: https ://imgur.com/xxVnhY7

UIKit: https ://imgur.com/f6WBUne


質問:

SwiftUIビューの使用中にUIKitの動作を取得することは可能ですか?


試み

UIHostingControllerをUINavigationController内に埋め込もうとしましたが、これはNavigationViewとまったく同じ動作を提供します。

struct ContentView: View {
    var body: some View {
        UIKitNavigationView {
            VStack {
                NavigationLink(destination: Text("Detail")) {
                    Text("SwiftUI")
                }
            }.navigationBarTitle("SwiftUI", displayMode: .inline)
        }.edgesIgnoringSafeArea(.top)
    }
}

struct UIKitNavigationView<Content: View>: UIViewControllerRepresentable {

    var content: () -> Content

    init(@ViewBuilder content: @escaping () -> Content) {
        self.content = content
    }

    func makeUIViewController(context: Context) -> UINavigationController {
        let host = UIHostingController(rootView: content())
        let nvc = UINavigationController(rootViewController: host)
        return nvc
    }

    func updateUIViewController(_ uiViewController: UINavigationController, context: Context) {}
}

回答:


4

私はデフォルトNavigationViewをオーバーライドNavigationLinkして、望ましい動作を得ることになりました。これは単純すぎるようですが、デフォルトのSwiftUIビューが行うことを見落としている必要がありますか?

NavigationView

私はSwiftUIコンテンツビューをenvironmentObjectとして提供UINavigationControllerする非常にシンプルなでラップします。これは、同じナビゲーションコントローラー内にある限り(表示されたビューコントローラーがenvironmentObjectsを受信しない限り)、後でそれを取得できることを意味します。UIViewControllerRepresentableUINavigationControllerNavigationLink

注: NavigationViewが必要.edgesIgnoringSafeArea(.top)ですが、構造体自体にそれを設定する方法はまだわかりません。nvcが上部で途切れている場合の例を参照してください。

struct NavigationView<Content: View>: UIViewControllerRepresentable {

    var content: () -> Content

    init(@ViewBuilder content: @escaping () -> Content) {
        self.content = content
    }

    func makeUIViewController(context: Context) -> UINavigationController {
        let nvc = UINavigationController()
        let host = UIHostingController(rootView: content().environmentObject(nvc))
        nvc.viewControllers = [host]
        return nvc
    }

    func updateUIViewController(_ uiViewController: UINavigationController, context: Context) {}
}

extension UINavigationController: ObservableObject {}

NavigationLink

次のビューをホストしているUIHostingControllerをプッシュするために環境UINavigationControllerにアクセスするカスタムNavigationLinkを作成します。

注:私は実装していなかったselectionisActiveSwiftUI.NavigationLinkを持っていることを、私は完全に彼らはまだ何をするか理解していないので。あなたがそれを手伝いたいなら、コメント/編集してください。

struct NavigationLink<Destination: View, Label:View>: View {
    var destination: Destination
    var label: () -> Label

    public init(destination: Destination, @ViewBuilder label: @escaping () -> Label) {
        self.destination = destination
        self.label = label
    }

    /// If this crashes, make sure you wrapped the NavigationLink in a NavigationView
    @EnvironmentObject var nvc: UINavigationController

    var body: some View {
        Button(action: {
            let rootView = self.destination.environmentObject(self.nvc)
            let hosted = UIHostingController(rootView: rootView)
            self.nvc.pushViewController(hosted, animated: true)
        }, label: label)
    }
}

これにより、SwiftUIでバックスワイプが正しく機能しなくなり、NavigationViewおよびNavigationLinkという名前を使用しているため、プロジェクト全体がすぐにこれらに切り替わりました。

この例では、モーダルプレゼンテーションも示しています。

struct ContentView: View {
    @State var isPresented = false

    var body: some View {
        NavigationView {
            VStack(alignment: .center, spacing: 30) {
                NavigationLink(destination: Text("Detail"), label: {
                    Text("Show detail")
                })
                Button(action: {
                    self.isPresented.toggle()
                }, label: {
                    Text("Show modal")
                })
            }
            .navigationBarTitle("SwiftUI")
        }
        .edgesIgnoringSafeArea(.top)
        .sheet(isPresented: $isPresented) {
            Modal()
        }
    }
}
struct Modal: View {
    @Environment(\.presentationMode) var presentationMode

    var body: some View {
        NavigationView {
            VStack(alignment: .center, spacing: 30) {
                NavigationLink(destination: Text("Detail"), label: {
                    Text("Show detail")
                })
                Button(action: {
                    self.presentationMode.wrappedValue.dismiss()
                }, label: {
                    Text("Dismiss modal")
                })
            }
            .navigationBarTitle("Modal")
        }
    }
}

編集:私は「これは非常にシンプルなため、何かを見落としているに違いない」から始め、それを見つけたと思います。これはEnvironmentObjectsを次のビューに転送しないようです。デフォルトのNavigationLinkがどのようにそれを行うのかわかりません。今のところ、必要な次のビューにオブジェクトを手動で送信します。

NavigationLink(destination: Text("Detail").environmentObject(objectToSendOnToTheNextView)) {
    Text("Show detail")
}

編集2:

これは、内部のすべてのビューにナビゲーションコントローラを公開するNavigationViewことによって@EnvironmentObject var nvc: UINavigationController。これを修正する方法は、ナビゲーションの管理に使用するenvironmentObjectをfileprivateクラスにすることです。私は要点でこれを修正しました:https : //gist.github.com/Amzd/67bfd4b8e41ec3f179486e13e9892eeb


引数タイプ 'UINavigationController'が予期されるタイプ 'ObservableObject'に準拠していません
stardust4891

@kejodion私はそれをstackoverflowポストに追加するのを忘れていましたが、それは要旨でした:extension UINavigationController: ObservableObject {}
Casper Zandbergen

それは私が経験していたバックスワイプのバグを修正しましたが、残念ながら、それはリクエストをフェッチするための変更を認識していないようで、デフォルトのNavigationViewの方法を認識していません。
stardust4891

@kejodionああ、残念ですが、このソリューションには環境オブジェクトに関する問題があることを知っています。フェッチリクエストの意味がわかりません。多分新しい質問を開きます。
Casper Zandbergen

管理オブジェクトコンテキストを保存すると、UIで自動的に更新されるいくつかのフェッチ要求があります。なんらかの理由で、コードを実装しても機能しません。私が本当に何日も修正しようとしてきたバックスワイプの問題が修正されたので、彼らがそうしたいと本当に思っています。
stardust4891

1

これを行うには、UIKitに降りて、独自のUINavigationControllerを使用します。

最初にSwipeNavigationControllerファイルを作成します。

import UIKit
import SwiftUI

final class SwipeNavigationController: UINavigationController {

    // MARK: - Lifecycle

    override init(rootViewController: UIViewController) {
        super.init(rootViewController: rootViewController)
    }

    override init(nibName nibNameOrNil: String?, bundle nibBundleOrNil: Bundle?) {
        super.init(nibName: nibNameOrNil, bundle: nibBundleOrNil)

        delegate = self
    }

    required init?(coder aDecoder: NSCoder) {
        super.init(coder: aDecoder)

        delegate = self
    }

    override func viewDidLoad() {
        super.viewDidLoad()

        // This needs to be in here, not in init
        interactivePopGestureRecognizer?.delegate = self
    }

    deinit {
        delegate = nil
        interactivePopGestureRecognizer?.delegate = nil
    }

    // MARK: - Overrides

    override func pushViewController(_ viewController: UIViewController, animated: Bool) {
        duringPushAnimation = true

        super.pushViewController(viewController, animated: animated)
    }

    var duringPushAnimation = false

    // MARK: - Custom Functions

    func pushSwipeBackView<Content>(_ content: Content) where Content: View {
        let hostingController = SwipeBackHostingController(rootView: content)
        self.delegate = hostingController
        self.pushViewController(hostingController, animated: true)
    }

}

// MARK: - UINavigationControllerDelegate

extension SwipeNavigationController: UINavigationControllerDelegate {

    func navigationController(_ navigationController: UINavigationController, didShow viewController: UIViewController, animated: Bool) {
        guard let swipeNavigationController = navigationController as? SwipeNavigationController else { return }

        swipeNavigationController.duringPushAnimation = false
    }

}

// MARK: - UIGestureRecognizerDelegate

extension SwipeNavigationController: UIGestureRecognizerDelegate {

    func gestureRecognizerShouldBegin(_ gestureRecognizer: UIGestureRecognizer) -> Bool {
        guard gestureRecognizer == interactivePopGestureRecognizer else {
            return true // default value
        }

        // Disable pop gesture in two situations:
        // 1) when the pop animation is in progress
        // 2) when user swipes quickly a couple of times and animations don't have time to be performed
        let result = viewControllers.count > 1 && duringPushAnimation == false
        return result
    }
}

これは、ここSwipeNavigationController提供されているものと同じですが、pushSwipeBackView()関数が追加されています。

この関数には、次のSwipeBackHostingControllerように定義するが必要です

import SwiftUI

class SwipeBackHostingController<Content: View>: UIHostingController<Content>, UINavigationControllerDelegate {
    func navigationController(_ navigationController: UINavigationController, didShow viewController: UIViewController, animated: Bool) {
        guard let swipeNavigationController = navigationController as? SwipeNavigationController else { return }
        swipeNavigationController.duringPushAnimation = false
    }

    override func viewWillDisappear(_ animated: Bool) {
        super.viewWillDisappear(animated)

        guard let swipeNavigationController = navigationController as? SwipeNavigationController else { return }
        swipeNavigationController.delegate = nil
    }
}

次にSceneDelegateSwipeNavigationController次のものを使用するようにアプリを設定します。

    if let windowScene = scene as? UIWindowScene {
        let window = UIWindow(windowScene: windowScene)
        let hostingController = UIHostingController(rootView: ContentView())
        window.rootViewController = SwipeNavigationController(rootViewController: hostingController)
        self.window = window
        window.makeKeyAndVisible()
    }

最後にそれをあなたの中で使用してくださいContentView

struct ContentView: View {
    func navController() -> SwipeNavigationController {
        return UIApplication.shared.windows[0].rootViewController! as! SwipeNavigationController
    }

    var body: some View {
        VStack {
            Text("SwiftUI")
                .onTapGesture {
                    self.navController().pushSwipeBackView(Text("Detail"))
            }
        }.onAppear {
            self.navController().navigationBar.topItem?.title = "Swift UI"
        }.edgesIgnoringSafeArea(.top)
    }
}

1
カスタムSwipeNavigationControllerは、デフォルトのUINavigationControllerの動作から実際には何も変更しません。func navController()VCを取得し、その後、VC自分をプッシュする実際に素晴らしいアイディアだと私はこの問題を把握助けました!もっとSwiftUIにやさしい答えに答えますが、助けてくれてありがとう!
Casper Zandbergen
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.