Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to open file dialog with SwiftUI on platform "UIKit for Mac"?

NSOpenPanel is not available on platform "UIKit for Mac": https://developer.apple.com/documentation/appkit/nsopenpanel

If Apple doesn't provide a built-in way, I guess someone will create a library based on SwiftUI and FileManager that shows the dialog to select files.

like image 988
Ngoc Dao Avatar asked Jun 18 '19 09:06

Ngoc Dao


2 Answers

Here's a solution to select a file for macOS with Catalyst & UIKit

In your swiftUI view :

Button("Choose file") {
    let picker = DocumentPickerViewController(
        supportedTypes: ["log"], 
        onPick: { url in
            print("url : \(url)")
        }, 
        onDismiss: {
            print("dismiss")
        }
    )
    UIApplication.shared.windows.first?.rootViewController?.present(picker, animated: true)
}

The DocumentPickerViewController class :

class DocumentPickerViewController: UIDocumentPickerViewController {
    private let onDismiss: () -> Void
    private let onPick: (URL) -> ()

    init(supportedTypes: [String], onPick: @escaping (URL) -> Void, onDismiss: @escaping () -> Void) {
        self.onDismiss = onDismiss
        self.onPick = onPick

        super.init(documentTypes: supportedTypes, in: .open)

        allowsMultipleSelection = false
        delegate = self
    }

    required init?(coder: NSCoder) {
        fatalError("init(coder:) has not been implemented")
    }
}

extension DocumentPickerViewController: UIDocumentPickerDelegate {
    func documentPicker(_ controller: UIDocumentPickerViewController, didPickDocumentsAt urls: [URL]) {
        onPick(urls.first!)
    }

    func documentPickerWasCancelled(_ controller: UIDocumentPickerViewController) {
        onDismiss()
    }
}
like image 148
Anthony Avatar answered Nov 15 '22 17:11

Anthony


Both UIDocumentPickerViewController and UIDocumentBrowserViewController work in Catalyst. Use them exactly as you would on iOS and they will “magically” appear as standard Mac open/save dialogs.

Nice example here if you need it: https://appventure.me/guides/catalyst/how/open_save_export_import.html

like image 42
Adam Avatar answered Nov 15 '22 17:11

Adam