2

我正在尝试获取带有扩展名的选定文件名,UIDocumentPickerViewController但文件名在文件扩展名的末尾有“]”。关于正确方法的任何建议?

这是我的代码:

func documentPicker(_ controller: UIDocumentPickerViewController, didPickDocumentsAt urls: [URL]) {
    let filename = URL(fileURLWithPath: String(describing:urls)).lastPathComponent // print: myfile.pdf]
    self.pickedFile.append(filename)
    // display picked file in a view
    self.dismiss(animated: true, completion: nil)
}
4

2 回答 2

5

切勿String(describing:)用于调试输出以外的任何内容。URL您的代码正在生成实例数组的调试输出。该输出将类似于:

[file:///some/directory/someFileA.ext,file:///some/directory/otherFile.ext]

当然,无论选择了多少文件,数组输出都将包含。

然后,您尝试从URL实例数组的调试输出中创建文件 URL,然后获取其中的最后一个路径组件。这就是为什么你得到尾随的原因]

只需访问您想要的数组中的元素。不要创建新的URL.

if let filename = urls.first?.lastPathComponent {
    self.pickedFile.append(filename)
}

更好的是,将它们全部添加:

for url in urls {
    self.pickedFile.append(url.lastPathComponent)
}
于 2019-04-04T04:24:28.460 回答
0

urls 是 URL 数组,不是 URL,不是字符串

尝试:

 func documentPicker(_ controller: UIDocumentPickerViewController, didPickDocumentsAt urls: [URL]) {
    if let filename =  urls.first?.lastPathComponent {
        self.pickedFile.append(filename)
        // display picked file in a view
        self.dismiss(animated: true, completion: nil)
    }
}
于 2019-04-04T04:22:13.473 回答