次のコードを使用して、Swift 3のドキュメントディレクトリにファイルを保存しています。
fileManager = FileManager.default
// let documentDirectory = fileManager?.urls(for: .documentDirectory, in: .userDomainMask).first as String
var path = NSSearchPathForDirectoriesInDomains(.documentDirectory, .userDomainMask, true)[0] as String
path = path + name
let image = #imageLiteral(resourceName: "Notifications")
let imageData = UIImageJPEGRepresentation(image, 0.5)
let bool = fileManager?.createFile(atPath: path, contents: imageData, attributes: nil)
print("bool is \(bool)")
return true
しかし、ご覧のとおり、filemanager
は文字列ではなくURLのみを提供するため、ドキュメントディレクトリのパスを取得するためにfilemanager
を使用していません。
質問:
逆に考えてください。
URL
は、Appleがそれらのメソッドを削除したString
ではなく、パスコンポーネントと拡張子を追加および削除するためのすべての便利なメソッドを含むため、ファイルパスを処理する推奨方法です。
path = path + name
のようなパスを連結することはお勧めしません。すべてのスラッシュパスセパレーターを担当するため、エラーが発生しやすくなります。
さらに、FileManager
を使用してファイルを作成する必要はありません。 Data
には、データをディスクに書き込むメソッドがあります。
let fileManager = FileManager.default
do {
let documentDirectory = try fileManager.url(for: .documentDirectory, in: .userDomainMask, appropriateFor:nil, create:false)
let fileURL = documentDirectory.appendingPathComponent(name)
let image = #imageLiteral(resourceName: "Notifications")
if let imageData = UIImageJPEGRepresentation(image, 0.5) {
try imageData.write(to: fileURL)
return true
}
} catch {
print(error)
}
return false
vadianによる上記の例に従って、ドキュメントディレクトリに(データ)ファイルを保存する必要がある唯一の行は次のとおりです。
imageData.write(to:fileURL)を試してください
ファイルパスを取得することは興味深い部分です
例:ファイルパスを作成する
func createNewDirPath( )->URL{
let dirPathNoScheme = NSSearchPathForDirectoriesInDomains(.documentDirectory, .userDomainMask, true)[0] as String
//add directory path file Scheme; some operations fail w/out it
let dirPath = "file://\(dirPathNoScheme)"
//name your file, make sure you get the ext right .mp3/.wav/.m4a/.mov/.whatever
let fileName = "thisIsYourFileName.mov"
let pathArray = [dirPath, fileName]
let path = URL(string: pathArray.joined(separator: "/"))
//use a guard since the result is an optional
guard let filePath = path else {
//if it fails do this stuff:
return URL(string: "choose how to handle error here")!
}
//if it works return the filePath
return filePath
}
関数を呼び出します:
let shinnyNewURLpath = createNewDirPath( )
//write data to file using one line in do/catch operation
do {
try yourDataObject?.write(to: shinnyNewURLpath)
}
catch {
print("catch error",error.localizedDescription)
}
「Test.txt」ファイルを作成するには、次の方法を使用します。お役に立てば幸いです。
func createFile() {
let fileName = "Test"
let documentDirURL = try! FileManager.default.url(for: .documentDirectory, in: .userDomainMask, appropriateFor: nil, create: true)
let fileURL = documentDirURL.appendingPathComponent(fileName).appendingPathExtension("txt")
print("File PAth: \(fileURL.path)")
}