我正在开发一个iOS应用程序,它涉及保存和检索NSMutableArray,其中包含我制作的单个自定义对象的多个实例。我见过几个指南,例如Apple's Documentation
我得到了如何做到的要点(我认为),似乎我必须使用归档,因为我的数组中的对象不是原始变量,因此我已经使我的对象符合NSCoding。但是我也看过使用NSDefaults或其他我不理解的例子(我没有文件IO经验)。在看到所有这些信息之后,我很难将所有内容拼凑在一起。我们正在寻找一个完整指南,从头到尾,成功使用归档来保存和检索自定义对象的示例程序(在数组中是否存在)。如果有人可以在这篇文章中指出一个好的指南或自己做,那将非常感激!谢谢大家,Stack Overflow是一个很棒的地方!
P.S。如果需要更多信息,请在评论中告诉我!
答案 0 :(得分:4)
确保您尝试归档的任何类都实现了NSCoding协议,然后执行以下操作:
@interface MyClass<NSCoding>
@property(strong,nonatomic) NSString *myProperty;
@end
@implementation MyClass
#define myPropertyKey @"myKey"
-(id)initWithCoder:(NSCoder *)aDecoder
{
self = [super init];
if( self != nil )
{
self.myProperty = [aDecoder decodeObjectForKey:myPropertyKey];
}
return self;
}
-(void)encodeWithCoder:(NSCoder *)aCoder
{
[aCoder encodeObject:[self.myProperty copy] forKey:myPropertyKey];
}
@end
然后我使用一个名为FileUtils的类来完成我的归档工作:
@implementation FileUtils
+ (NSObject *)readArchiveFile:(NSString *)inFileName
{
NSFileManager *fileMgr = [NSFileManager defaultManager];
NSString *documentsDirectoryPath = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES)[0];
NSString *filePath = [NSString stringWithFormat:@"%@/%@", documentsDirectoryPath, inFileName];
NSObject *returnObject = nil;
if( [fileMgr fileExistsAtPath:filePath] )
{
@try
{
returnObject = [NSKeyedUnarchiver unarchiveObjectWithFile:filePath];
}
@catch (NSException *exception)
{
returnObject = nil;
}
}
return returnObject;
}
+ (void)archiveFile:(NSString *)inFileName inObject:(NSObject *)inObject
{
NSString *documentsDirectoryPath = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES)[0];
NSString *filePath = [NSString stringWithFormat:@"%@/%@", documentsDirectoryPath, inFileName];
@try
{
BOOL didSucceed = [NSKeyedArchiver archiveRootObject:inObject toFile:filePath];
if( !didSucceed )
{
NSLog(@"File %@ write operation %@", inFileName, didSucceed ? @"success" : @"error" );
}
}
@catch (NSException *exception)
{
NSLog(@"File %@ write operation threw an exception:%@", filePath, exception.reason);
}
}
+ (void)deleteFile:(NSString *)inFileName
{
NSFileManager *fileMgr = [NSFileManager defaultManager];
NSString *documentsDirectoryPath = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES)[0];
NSString *filePath = [NSString stringWithFormat:@"%@/%@", documentsDirectoryPath, inFileName];
NSError *error;
if ( [fileMgr fileExistsAtPath:filePath] && [fileMgr removeItemAtPath:filePath error:&error] != YES)
{
NSLog(@"Unable to delete file: %@", [error localizedDescription]);
}
}
@end