如果想了解runtime的基础知识可以到http://yulingtianxia.com/blog/2014/11/05/objective-c-runtime/去看一下基础的东西
曾经项目中有一个页面的数据需要保存到本地的,其实这个地方可以有多中方式,我当时想着是否可以使用归档接档的方式来存储到本地(当然这种方式肯定不是最优的,最后我使用的是sqlite3,这个就当做练手吧),但是归档接档存储到本地,需要提前归档的所有的属性,但是这些属性有可能有好多,所以我不能像往常一样拿出每一个属性进行归档接档,那样的话,太麻烦了,这时候我就想到了使用runtime在动态运行时解决这个问题,就是使用runtime中的
- 使用Runtime获取对象所有属性
// 接档读数据
-
(instancetype)initWithCoder:(NSCoder )aDecoder {
if (self = [super init]) {
/
OBJC_EXPORT Ivar *class_copyIvarList(Class cls, unsigned int *outCount)
Class cls 表示获取那一个类的属性列表
unsigned int *outCount 用于存储获取到属性个数
*/
unsigned int propertyCount = 0;
objc_property_t *propertys = class_copyPropertyList(objClass , &propertyCount);for (int i = 0; i < count; i++) { //根据每一个属性取出对应的key 注意key值是c语言的key objc_property_t property = propertys[i]; const char *propertyName = property_getName(property); // 转换为oc NSString *strName = [NSString stringWithUTF8String:propertyName]; //进行解档取值 id value = [aDecoder decodeObjectForKey:strName]; //利用KVC对属性赋值 [self setValue:value forKey:strName]; } free(ivar);
}
return self;
}
// 归档存数据 -
(void)encodeWithCoder:(NSCoder *)aCoder {
unsigned int count;
Ivar *ivar = class_copyIvarList([self class], &count);
for (int i=0; i < count; i++) {
Ivar iv = ivar[i];
const charchar *name = ivar_getName(iv);
NSString *strName = [NSString stringWithUTF8String:name];
//利用KVC取值
id value = [self valueForKey:strName];
[aCoder encodeObject:value forKey:strName];
}
free(ivar);
大家会看到最后用到free(ivar)因为这个是C写的不适合OC的那个ARC,ivar是malloc创建的所以需要free,否则会内存泄露!
上边的归档以及解档是在模型里边进行的,如果想保存多个类名的本地数据,可以写一个公共类,将类名传递进去,然后使用一个runtime的方法 class_addMethod(encoderClass , @selector(encodeWithCoder:), (IMP)run , "v@:@");
动态添加这个类方法,这样的话,可以动态控制多个类进行归档接档了,这样的话,就方便多了!
看到上边的这个runtime,是不是当你在解析json数据的时候,如果json中数据太多,可以使用runtime来解决这个繁琐的问题呢,其实跟上边一样的思路!
网友评论