iPhone应用开发之数据持久化是本文要介绍的内容,主要是来学习iphone应用中数据库的使用,具体内容来看详细内容。
1、plist
局限性:只有它支持的数据类型可以被序列化,存储到plist中。无法将其他Cocoa对象存储到plist,更不能将自定义对象存储。
支持的数据类型:Array,Dictionary,Boolean,Data,Date,Number和String.如图:
xml文件 数据类型截图~其中基本数据(Boolean,Data,Date,Number和String.)、容器 (Array,Dictionary)
写入xml过程:先将基本数据写入容器 再调用容器的 writeToFile 方法,写入。
- [theArray writeToFile:filePath atomically:YES];
拥有此方法的数据类型有,如图所示:
atomically参数,将值设置为 YES。写入文件的时候,将不会直接写入指定路径,而是将数据写入到一个“辅助文件”,写入成功后,再将其复制到指定路径。
2、Archiver
特点:支持复杂的数据对象。包括自定义对象。对自定义对象进行归档处理,对象中的属性需满足:为基本数据类型(int or float or......),或者为实现了NSCoding协议的类的实例。自定义对象的类也需要实现NSCoding。
NSCoding 方法:
- -(id)initWithCoder:(NSCoder *)decoder; - (void)encodeWithCoder:(NSCoder *)encoder;
参数分别理解为解码者和编码者。
例如创建自定义类Student:NSObject <NSCoding>
- #import "Student.h"
- @implementation Student
- @synthesize studentID;
- @synthesize studentName;
- @synthesize age;
- @synthesize count;
- - (void)encodeWithCoder:(NSCoder *)encoder
- {
- [encoder encodeObject: studentID forKey: kStudentId];
- [encoder encodeObject: studentName forKey: kStudentName];
- [encoder encodeObject: age forKey: kAge];
- [encoder encodeInt:count forKey:kCount];
- }18 19 - (id)initWithCoder:(NSCoder *)decoder
- {
- if (self == [super init]) {
- self.studentID = [decoder decodeObjectForKey:kStudentId];
- self.studentName = [decoder decodeObjectForKey:kStudentName];
- self.age = [decoder decodeObjectForKey:kAge];
- self.count = [decoder decodeIntForKey:kCount];
- }
- return self;
- }
- @end
编码过程:
- /*encoding*/
- Student *theStudent = [[Student alloc] init];
- theStudent.studentID = @"神马";
- theStudent.studentName = @"shenma";
- theStudent.age = @"12";
- NSMutableData *data = [[NSMutableData alloc] init];
- NSKeyedArchiver *archiver = [[NSKeyedArchiver alloc] initForWritingWithMutableData:data];
- [archiver encodeObject: theStudent forKey:@"student"];
NSKeyedArchiver可以看作“加密器”,将student实例编码后存储到data
NSMutableData 可看作“容器”,并由它来完成写入文件操作(inherits NSData)。
解码过程:
- /*unencoding*/
- Student *studento = [[Student alloc] init];
- data = [[NSData alloc] initWithContentsOfFile:documentsPath];
- NSKeyedUnarchiver *unarchiver = [[NSKeyedUnarchiver alloc] initForReadingWithData:data];
- studento = [unarchiver decodeObjectForKey:@"student"];
- [unarchiver finishDecoding];
根据键值key得到反序列化后的实例。
3、SQLite
数据库操作~
小结:详解iPhone应用开发之数据持久化的内容介绍完了,希望通过本文的学习能对你有所帮助!