Список сохраненных файлов в каталоге документов iOS в UITableView?
Я установил следующий код для сохранения файла в каталоге документов:
NSLog(@"Saving File...");
NSURLRequest *request = [NSURLRequest requestWithURL:[NSURL URLWithString:@"http://www.reddexuk.com/logo.png"]];
AFHTTPRequestOperation *operation = [[[AFHTTPRequestOperation alloc] initWithRequest:request] autorelease];
NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *path = [[paths objectAtIndex:0] stringByAppendingPathComponent:@"logo.png"];
operation.outputStream = [NSOutputStream outputStreamToFileAtPath:path append:NO];
[operation setCompletionBlockWithSuccess:^(AFHTTPRequestOperation *operation, id responseObject) {
NSLog(@"Successfully downloaded file to %@", path);
} failure:^(AFHTTPRequestOperation *operation, NSError *error) {
NSLog(@"Error: %@", error);
}];
[operation start];
Однако я хочу добавить каждый файл в UITableView, когда он успешно сохранен. Когда файл в UITableView коснется, я бы хотел, чтобы UIWebView перешел к этому файлу (все в автономном режиме).
Кроме того - как я могу просто получить имя файла и окончание, например, "logo.png" вместо http://www.reddexuk.com/logo.png?
Как я могу это сделать?
8 ответов
Вот метод, который я использую, чтобы получить содержимое каталога.
-(NSArray *)listFileAtPath:(NSString *)path
{
//-----> LIST ALL FILES <-----//
NSLog(@"LISTING ALL FILES FOUND");
int count;
NSArray *directoryContent = [[NSFileManager defaultManager] contentsOfDirectoryAtPath:path error:NULL];
for (count = 0; count < (int)[directoryContent count]; count++)
{
NSLog(@"File %d: %@", (count + 1), [directoryContent objectAtIndex:count]);
}
return directoryContent;
}
-(NSArray *)findFiles:(NSString *)extension{
NSMutableArray *matches = [[NSMutableArray alloc]init];
NSFileManager *fManager = [NSFileManager defaultManager];
NSString *item;
NSArray *contents = [fManager contentsOfDirectoryAtPath:[NSHomeDirectory() stringByAppendingPathComponent:@"Documents"] error:nil];
// >>> this section here adds all files with the chosen extension to an array
for (item in contents){
if ([[item pathExtension] isEqualToString:extension]) {
[matches addObject:item];
}
}
return matches; }
Пример выше довольно понятен. Я надеюсь, что это ответит вам на второй вопрос.
Чтобы получить содержимое каталога
- (NSArray *)ls {
NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *documentsDirectory = [paths objectAtIndex:0];
NSArray *directoryContent = [[NSFileManager defaultManager] directoryContentsAtPath: documentsDirectory];
NSLog(@"%@", documentsDirectory);
return directoryContent;
}
Чтобы получить последний компонент пути,
[[path pathComponents] lastObject]
Спасибо Алекс,
Вот версия Swift
func listFilesOnDevice() {
let paths = NSSearchPathForDirectoriesInDomains(.DocumentDirectory, .UserDomainMask, true)
let documentDirectory = paths[0] as! String
let manager = NSFileManager.defaultManager()
if let allItems = manager.contentsOfDirectoryAtPath(documentDirectory, error: nil) {
println(allItems)
}
}
Я знаю, что это старый вопрос, но он хороший, и в iOS после песочницы все изменилось.
Путь ко всем читаемым / записываемым папкам в приложении теперь будет содержать хэш, и Apple оставляет за собой право изменить этот путь в любое время. Это будет меняться при каждом запуске приложения наверняка.
Вам нужно будет найти путь к нужной папке, и вы не сможете жестко закодировать ее, как мы делали это раньше.
Вы запрашиваете каталог документов и в массиве возврата он находится в позиции 0. Затем оттуда вы используете это значение для предоставления NSFileManager для получения содержимого каталога.
Приведенный ниже код работает под iOS 7 и 8, чтобы вернуть массив содержимого в каталоге документов. Вы можете отсортировать его в соответствии со своими предпочтениями.
+ (NSArray *)dumpDocumentsDirectoryContents {
NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *documentsPath = [paths objectAtIndex:0];
NSError *error;
NSArray *directoryContents = [[NSFileManager defaultManager] contentsOfDirectoryAtPath:documentsPath error:&error];
NSLog(@"%@", directoryContents);
return directoryContents;
}
Для более разумного имени файла:
NSString *filename = [[url lastPathComponent] stringByAppendingPathExtension:[url pathExtension]];
Swift 5
Функция, которая возвращает массив URL всех файлов в каталоге Documents, которые являются видео MP4. Если вы хотите, чтобы все файлы, просто удалите filter
,
Он проверяет только файлы в верхнем каталоге. Если вы хотите перечислить также файлы в подкаталогах, удалите .skipsSubdirectoryDescendants
вариант.
func listVideos() -> [URL] {
let fileManager = FileManager.default
let documentDirectory = fileManager.urls(for: .documentDirectory, in: .userDomainMask)[0]
let files = try? fileManager.contentsOfDirectory(
at: documentDirectory,
includingPropertiesForKeys: nil,
options: [.skipsSubdirectoryDescendants, .skipsHiddenFiles]
).filter {
$0.lastPathComponent.hasSuffix(".mp4")
}
return files ?? []
}
NSDirectoryEnumerator *dirEnum = [[NSFileManager defaultManager] enumeratorAtPath:dir_path];
NSString *filename;
while ((filename = [dirEnum nextObject]))
{
// Do something amazing
}
для перечисления через ВСЕ файлы в каталоге
Swift 3.x
let documentDirectory = NSSearchPathForDirectoriesInDomains(.documentDirectory, .userDomainMask, true)[0]
if let allItems = try? FileManager.default.contentsOfDirectory(atPath: documentDirectory) {
print(allItems)
}