NSFileManager类剖析

iPhone文件系统:创建、重命名以及删除文件,NSFileManager中包含了用来查询单词库目录、创建、重命名、删除目录以及获取/设置文件属性的方法(可读性,可编写性等等)。

每个程序都会有它自己的沙盒,通过它你可以阅读/编写文件。写入沙盒的文件在程序的进程中将会保持稳定,即便实在程序更新的情况下。

1. 创建文件管理器

  
  
  
  
  1. NSFileManager *fileManager = [NSFileManagerdefaultManager]; 

 

2. 创建一个目录

  
  
  
  
  1. [[NSFileManager defaultManager] createDirectoryAtPath: [NSString stringWithFormat:@"%@/myFolder", NSHomeDirectory()] attributes:nil]; 

 

3. 把字符串写入文件目录中去

字符串内容

  
  
  
  
  1. NSString *filePath= [documentsDirectory stringByAppendingPathComponent:@"file1.txt"]; 
  2. NSString *str= @"iPhoneDeveloper Tips\nhttp://iPhoneDevelopTips,com"

str写入文件目录中:

  
  
  
  
  1. NSError *error; [str writeToFile:filePath atomically:YES encoding:NSUTF8StringEncoding error:&error]; 

 

4. 对一个文件重命名 想要重命名一个文件,我们需要把文件移到一个新的路径下。下面的代码创建了我们所期望的目标文件的路径,然后请求移动文件以及在移动之后显示文件目录。

  
  
  
  
  1. //通过移动该文件对文件重命名 
  2. NSString *filePath2= [documentsDirectory stringByAppendingPathComponent:@"file2.txt"]; 
  3. [fileMgr moveItemAtPath:filePath toPath:filePath2 error:&error]; 
  4. //判断是否移动 
  5. if ([fileMgr moveItemAtPath:filePath toPath:filePath2 error:&error] != YES) 
  6. NSLog(@"Unable to move file: %@", [error localizedDescription]); 
  7. //显示文件目录的内容 
  8. NSLog(@"Documentsdirectory: %@", [fileMgr contentsOfDirectoryAtPath:documentsDirectoryerror:&error]); 

 

5. 删除一个文件

  
  
  
  
  1. //在filePath2中判断是否删除这个文件 
  2. if ([fileMgr removeItemAtPath:filePath2 error:&error] != YES) 
  3. NSLog(@"Unable to delete file: %@", [error localizedDescription]); 
  4. //显示文件目录的内容 NSLog(@"Documentsdirectory: %@", [fileMgr contentsOfDirectoryAtPath:documentsDirectoryerror:&error]); 

一旦文件被删除了,正如你所预料的那样,文件目录就会被自动清空: 这些示例能教你的,仅仅只是文件处理上的一些皮毛。

通过下面这段代码,就可以获取一个目录内的文件及文件夹列表。

  
  
  
  
  1. NSFileManager *fileManager = [NSFileManager defaultManager]; 
  2. //在这里获取应用程序Documents文件夹里的文件及文件夹列表 
  3. NSArray *documentPaths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES); 
  4. NSString *documentDir = [documentPaths objectAtIndex:0]; 
  5. NSError *error = nil; 
  6. NSArray *fileList = [[NSArray alloc] init]; 
  7. //fileList便是包含有该文件夹下所有文件的文件名及文件夹名的数组 
  8. fileList = [fileManager contentsOfDirectoryAtPath:documentDir error:&error]; 

以下这段代码则可以列出给定一个文件夹里的所有子文件夹名

  
  
  
  
  1. NSMutableArray *dirArray = [[NSMutableArray alloc] init]; 
  2. BOOL isDir = NO; 
  3. //在上面那段程序中获得的fileList中列出文件夹名 
  4. for (NSString *file in fileList) { 
  5. NSString *path = [documentDir stringByAppendingPathComponent:file]; 
  6. [fileManager fileExistsAtPath:path isDirectory:(&isDir)]; 
  7. if (isDir) { 
  8.     [dirArray addObject:file]; 
  9. } isDir = NO; } 
  10. NSLog(@"Every Thing in the dir:%@",fileList); 
  11. NSLog(@"All folders:%@",dirArray); 
  12.  
  13.   

 

你可能感兴趣的:(NSFileManager剖析)