web-dev-qa-db-ja.com

App Bundle内にファイルが存在するかどうかをどのように判断できますか?

今日は質問2とんでもない質問です。ファイルがApp Bundleに含まれているかどうかを確認することはできますか?問題なくファイルにアクセスできます。

NSString *pathAndFileName = [[NSBundle mainBundle] pathForResource:fileName ofType:@"plist"];

しかし、そもそもファイルが存在するかどうかを確認する方法がわかりません。

よろしく

デイブ

49
[[NSFileManager defaultManager] fileExistsAtPath:pathAndFileName];
68
Rob Napier

このコードは私のために働いた...

NSString *pathAndFileName = [[NSBundle mainBundle] pathForResource:fileName ofType:nil];
if ([[NSFileManager defaultManager] fileExistsAtPath:pathAndFileName])
{
    NSLog(@"File exists in BUNDLE");
}
else
{
    NSLog(@"File not found");
}

うまくいけば、それは誰かを助けるでしょう...

15
Arkady

リソースが存在しない場合、pathForResourceはnilを返します。 NSFileManagerで再度チェックするのは冗長です。

Obj-C:

 if (![[NSBundle mainBundle] pathForResource:@"FileName" ofType:@"plist"]) {                                              
      NSLog(@"The path could not be created.");
      return;
 }

Swift 4:

 guard Bundle.main.path(forResource: "FileName", ofType: "plist") != nil else {
      print("The path could not be created.")
      return
 }
4
crow
NSFileManager *fileManager = [NSFileManager defaultManager];
    NSString *documentsDirectory = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) objectAtIndex:0];
    NSString *path = [documentsDirectory stringByAppendingPathComponent:@"filename"];
    if(![fileManager fileExistsAtPath:path])
    {
        // do something
    }
4
Iggy

@Arkadyと同じですが、Swift 2.0:

最初に、mainBundle()のメソッドを呼び出して、リソースへのパスを作成します。

_guard let path = NSBundle.mainBundle().pathForResource("MyFile", ofType: "txt") else {
    NSLog("The path could not be created.")
    return
}
_

次に、defaultManager()のメソッドを呼び出して、ファイルが存在するかどうかを確認します。

_if NSFileManager.defaultManager().fileExistsAtPath(path) {
    NSLog("The file exists!")
} else {
    NSLog("Better luck next time...")
}
_
1