Apple mówi o NSSearchPathForDirectoriesInDomains(_:_:_:)
:
Należy rozważyć użycie FileManager
metod urls(for:in:)
i url(for:in:appropriateFor:create:)
zwrotnych adresów URL, które są preferowanym formatem.
W Swift 5 FileManager
ma metodę o nazwie contentsOfDirectory(at:includingPropertiesForKeys:options:)
. contentsOfDirectory(at:includingPropertiesForKeys:options:)
posiada następującą deklarację:
Wykonuje płytkie przeszukiwanie określonego katalogu i zwraca adresy URL zawartych w nim elementów.
func contentsOfDirectory(at url: URL, includingPropertiesForKeys keys: [URLResourceKey]?, options mask: FileManager.DirectoryEnumerationOptions = []) throws -> [URL]
Dlatego też, w celu pobrania adresów URL plików zawartych w katalogu dokumentów, można użyć następującego fragmentu kodu, który używa FileManager
„s urls(for:in:)
i contentsOfDirectory(at:includingPropertiesForKeys:options:)
metod:
guard let documentsDirectory = FileManager.default.urls(for: .documentDirectory, in: .userDomainMask).first else { return }
do {
let directoryContents = try FileManager.default.contentsOfDirectory(at: documentsDirectory, includingPropertiesForKeys: nil, options: [])
// Print the urls of the files contained in the documents directory
print(directoryContents)
} catch {
print("Could not search for urls of files in documents directory: \(error)")
}
Jako przykład, UIViewController
poniższa implementacja pokazuje, jak zapisać plik z pakietu aplikacji do katalogu dokumentów i jak uzyskać adresy URL plików zapisanych w katalogu dokumentów:
import UIKit
class ViewController: UIViewController {
@IBAction func copyFile(_ sender: UIButton) {
// Get file url
guard let fileUrl = Bundle.main.url(forResource: "Movie", withExtension: "mov") else { return }
// Create a destination url in document directory for file
guard let documentsDirectory = FileManager.default.urls(for: .documentDirectory, in: .userDomainMask).first else { return }
let documentDirectoryFileUrl = documentsDirectory.appendingPathComponent("Movie.mov")
// Copy file to document directory
if !FileManager.default.fileExists(atPath: documentDirectoryFileUrl.path) {
do {
try FileManager.default.copyItem(at: fileUrl, to: documentDirectoryFileUrl)
print("Copy item succeeded")
} catch {
print("Could not copy file: \(error)")
}
}
}
@IBAction func displayUrls(_ sender: UIButton) {
guard let documentsDirectory = FileManager.default.urls(for: .documentDirectory, in: .userDomainMask).first else { return }
do {
let directoryContents = try FileManager.default.contentsOfDirectory(at: documentsDirectory, includingPropertiesForKeys: nil, options: [])
// Print the urls of the files contained in the documents directory
print(directoryContents) // may print [] or [file:///private/var/mobile/Containers/Data/Application/.../Documents/Movie.mov]
} catch {
print("Could not search for urls of files in documents directory: \(error)")
}
}
}