runtime

Runtime

一、消息机制

类 ——> SEL(方法编号) ——> IMP(函数指针)  ——> 方法(函数)

******oc方法的调用,会传入两个默认参数:id self  和  SEL _cmd,只是oc方法在写的时候隐藏了这俩方法*******

objc_msgSend(p, @selector(eat), “hello word”)

二、应用场景

1、oc的异常处理不强,但是swift出现了可选类型,对异常处理强,所以oc有些方法需要替换成自己的方法,进行一些异常判断。**替换方法**

1>创建需要替换的方法的类的  分类

2>在load加载方法中替换,load方法是在main方法之前执行的

Method URLWithStr = class_getClassMethod(self, @selector(URLWithString:)); // 获取类方法

Method XB_URLWithStr = class_getClassMethod(self, @selector(XB_URLWithString:)); // 获取替换的类方法

method_exchangeImplementations(URLWithStr, XB_URLWithStr) // 交换

3>写替换方法

2、动态加载方法或者属性(类似懒加载)

******Ivar:成员变量  Method:成员方法 *****

/** 动态添加方法

* 1、类

* 2、方法编号SEL

* 3、方法实现 IMP(函数指针,也就是方法名)

* 4、方法类型type:method_getTypeEncoding

“v@:” 这个字符串的含义

第一个字母是方法返回值:“v”代表返回值为void

后面按照顺序是方法参数:“@”:id类型,“:”:SEL类型 等等(具体在class_addMethod这个方法的介绍中有介绍)

*/

class_addMethod(self, sel, (IMP)haha, “v@:”)

/** 获取属性列表

* copy new creat 遇到这几个关键字就说明:在内部开辟了 堆空间

*/

unsigned int count = 0;

Ivar * ivars = class_copyIvarList([Persion class],&count);

3、OC对象序列化和反序列化(例如:解归档)

********类内部实现:所属的类遵守NSCoding协议********

// 1>实现协议里的归档方法

- (void)encodeWithCoder:(NSCoder *)aCoder {

// 获取参数列表

unsigned int count = 0;

Ivar * ivars = class_copyIvarList([Persion class],&count);

// 遍历归档

for (int i = 0; i < count; i++) {

Ivar ivar = ivars[i];

const char * name = ivar_getName(ivar);

NSString *key = [NSString stringWithUTF8String:name];

[aCoder encodeObject:[self valueForKey:key]  forKey:key];

}

// 释放ivars

free(ivars);

}

// 2>实现协议里的解档方法

- (nullable instancetype)initWithCoder:(NSCoder *)aDecoder {

// 类似上面归档

}

********外部调用解归档********

// 获取归档目录  data.archiver为文件名和后缀

NSString * path = [NSHomeDirectory() stringByAppendingPathComponent:@"data.archiver"];

// 将对象归档到指定路径中 (p: 归档对象)

[NSKeyedArchiver archiveRootObject: p toFile:path];

// 解档

[NSKeyedUnarchiver unarchiveObjectWithFile:path];

你可能感兴趣的:(runtime)