在 UIActivityItemProvider 中动态创建 UIDocument

Create UIDocument on the fly in UIActivityItemProvider

我正在使用 Core Data 来存储我的用户数据。我想在 UI 中提供一个共享按钮,以便将数据导出到他们想要的任何地方。我做了一个 class 符合 UIActivityItemSource。当它只是 returns 来自 activityViewController:itemForActivityType 的数据对象但文件具有系统提供的文件名时,它是成功的。因此,我现在正在尝试动态生成 UIDocument,将其保存到文件系统,并将 return URL (UIDocument.fileURL) 保存到 activity 视图控制器。问题是 UIDocument.save 是异步的,但我不能从 activityViewController:itemForActivityType return 直到文件被保存。我的最新代码如下所示:

class初始化:

let saveQueue = DispatchQueue(label: "saveQueue")
let saveSemaphore = DispatchSemaphore(value: 0)

...

func activityViewController(_ activityViewController: UIActivityViewController, itemForActivityType activityType: UIActivity.ActivityType?) -> Any? {
    var success = false
    self.saveQueue.async {
        self.document.save(to: self.document.fileURL,
                           for: .forOverwriting) {(didSucceed) in
            success = didSucceed
            self.saveSemaphore.signal()
        }
    }
    saveSemaphore.wait()
    return success ? document.fileURL : nil
}

行为是异步代码启动,但从未调用保存的完成函数。我做错了什么?


根据 Casey 的帮助,我的最终解决方案是覆盖 UIDocument.save

override func save(to url: URL, for saveOperation: UIDocument.SaveOperation, completionHandler: ((Bool) -> Void)? = nil) {
    do {
        let contents = try self.contents(forType: GlobalConst.exportType) as! Data
        try contents.write(to: url, options: [.atomicWrite])
        completionHandler?(true)
    } catch {
        print("write error: \(error)")
        completionHandler?(false)
    }
}

我还没有明白为什么超级class保存是个问题,但我可以让它滑动。

为了让它工作,我必须创建 UIDocument 的子类并覆盖 func save(to:for:completionHandler:)

class MyDocument: UIDocument {

    var body: String = "Hello world, this is example content!"

    override func save(to url: URL, for saveOperation: UIDocument.SaveOperation, completionHandler: ((Bool) -> Void)? = nil) {
        do {
            try self.body.write(toFile: url.path, atomically: true, encoding: .utf8)
            completionHandler?(true)
        } catch {
            print("write error: \(error)")
            completionHandler?(false)
        }
    }
}

您的代码保持完全相同,只需确保 self.documentMyDocument 类型(或您可能已经拥有的任何子类)。

let document = MyDocument(fileURL: URL(fileURLWithPath: NSHomeDirectory() + "/Documents/output.txt"))