Получение списка файлов в папке Resources - iOS - PullRequest
82 голосов
/ 19 июня 2011

Допустим, у меня есть папка в папке «Ресурсы» моего приложения для iPhone под названием «Документы».

Есть ли способ, которым я могу получить массив или какой-то тип списка всех файлов, включенных в эту папку во время выполнения?

Итак, в коде это будет выглядеть так:

NSMutableArray *myFiles = [...get a list of files in Resources/Documents...];

Возможно ли это?

Ответы [ 7 ]

132 голосов
/ 19 июня 2011

Вы можете получить путь к каталогу Resources следующим образом:

NSString * resourcePath = [[NSBundle mainBundle] resourcePath];

Затем добавьте Documents к пути,

NSString * documentsPath = [resourcePath stringByAppendingPathComponent:@"Documents"];

Затем вы можете использовать любойAPI списков каталогов NSFileManager.

NSError * error;
NSArray * directoryContents = [[NSFileManager defaultManager] contentsOfDirectoryAtPath:documentsPath error:&error];

Примечание : при добавлении исходной папки в пакет убедитесь, что вы выбрали «Создать ссылки на папки для любых добавленных папок при копировании»

26 голосов
/ 13 августа 2015

Swift

Обновлено для Swift 3

let docsPath = Bundle.main.resourcePath! + "/Resources"
let fileManager = FileManager.default

do {
    let docsArray = try fileManager.contentsOfDirectory(atPath: docsPath)
} catch {
    print(error)
}

Дополнительная информация:

18 голосов
/ 08 июня 2012

Вы также можете попробовать этот код:

NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *documentsDirectory = [paths objectAtIndex:0];
NSError * error;
NSArray * directoryContents =  [[NSFileManager defaultManager]
                      contentsOfDirectoryAtPath:documentsDirectory error:&error];

NSLog(@"directoryContents ====== %@",directoryContents);
11 голосов
/ 26 октября 2014

Swift версия:

    if let files = try? FileManager.default.contentsOfDirectory(atPath: Bundle.main.bundlePath ){
        for file in files {
            print(file)
        }
    }
6 голосов
/ 20 ноября 2013

Список всех файлов в каталоге

     NSFileManager *fileManager = [NSFileManager defaultManager];
     NSURL *bundleURL = [[NSBundle mainBundle] bundleURL];
     NSArray *contents = [fileManager contentsOfDirectoryAtURL:bundleURL
                           includingPropertiesForKeys:@[]
                                              options:NSDirectoryEnumerationSkipsHiddenFiles
                                                error:nil];

     NSPredicate *predicate = [NSPredicate predicateWithFormat:@"pathExtension ENDSWITH '.png'"];
     for (NSString *path in [contents filteredArrayUsingPredicate:predicate]) {
        // Enumerate each .png file in directory
     }

Рекурсивное перечисление файлов в каталоге

      NSFileManager *fileManager = [NSFileManager defaultManager];
      NSURL *bundleURL = [[NSBundle mainBundle] bundleURL];
      NSDirectoryEnumerator *enumerator = [fileManager enumeratorAtURL:bundleURL
                                   includingPropertiesForKeys:@[NSURLNameKey, NSURLIsDirectoryKey]
                                                     options:NSDirectoryEnumerationSkipsHiddenFiles
                                                errorHandler:^BOOL(NSURL *url, NSError *error)
      {
         NSLog(@"[Error] %@ (%@)", error, url);
      }];

      NSMutableArray *mutableFileURLs = [NSMutableArray array];
      for (NSURL *fileURL in enumerator) {
      NSString *filename;
      [fileURL getResourceValue:&filename forKey:NSURLNameKey error:nil];

      NSNumber *isDirectory;
      [fileURL getResourceValue:&isDirectory forKey:NSURLIsDirectoryKey error:nil];

       // Skip directories with '_' prefix, for example
      if ([filename hasPrefix:@"_"] && [isDirectory boolValue]) {
         [enumerator skipDescendants];
         continue;
       }

      if (![isDirectory boolValue]) {
          [mutableFileURLs addObject:fileURL];
       }
     }

Для получения дополнительной информации о NSFileManager здесь

4 голосов
/ 13 ноября 2016

Swift 3 (и возвращающиеся URL)

let url = Bundle.main.resourceURL!
    do {
        let urls = try FileManager.default.contentsOfDirectory(at: url, includingPropertiesForKeys:[], options: FileManager.DirectoryEnumerationOptions.skipsHiddenFiles)
    } catch {
        print(error)
    }
1 голос
/ 21 февраля 2018

Swift 4:

Если вы имеете дело с подкаталогами «Относительно проекта» (синие папки), вы можете написать:

func getAllPListFrom(_ subdir:String)->[URL]? {
    guard let fURL = Bundle.main.urls(forResourcesWithExtension: "plist", subdirectory: subdir) else { return nil }
    return fURL
}

Использование

if let myURLs = getAllPListFrom("myPrivateFolder/Lists") {
   // your code..
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...