使用场景
在我们使用系统的方法时,功能有可能不够用,或者在想在调用系统的方法时,加一些判断。当然我可以继承系统的类,然后重写该方法。但是有可能项目做得时间比较长,一开始并没有继承。这时候再去继承就会花费一些时间。而且公司来了新人的,并不熟悉公司代码框架的时候,有可能会忘记继承。所以这时候我们就可以用运行时给系统方法动态添加一些代码。
使用步骤
- 创建你想交换方法所在类的分类。比如你想在调用
viewWillAppear
时添加一些代码,那么你就新建一个UIViewController
的分类。 - 包含头文件
#import <objc/runtime.h>
- 实现
+ (void)load{}
方法,在这个方法里面动态交换两个方法的地址,实现功能。这个方法会在程序加载分类到内存的时候就调用。
主要用到的运行时方法
-
Method class_getClassMethod(Class cls, SEL name) cls:需要交换的类方法的所属类 class SEL:该类方法
获取一个类的类方法的地址 -
Method class_getInstanceMethod(Class cls, SEL name) cls:需要交换的类实例方法的所属类 class SEL:该类的实例方法
获取一个类的实例方法地址 -
BOOL class_addMethod(Class cls, SEL name, IMP imp, const char *types) cls:被添加方法的类名 name:方法名 imp:实现这个方法的函数 types:一个定义该函数返回值类型和参数类型的字符串
动态的给一个类添加一个方法 -
IMP class_replaceMethod(Class cls, SEL name, IMP imp, const char *types) 参数如class_addMethod类似
该函数可以在运行时动态替换某个类的函数实现 -
void method_exchangeImplementations(Method m1, Method m2)
交换两个方法的地址
例子
在我们开发中使用可变数组NSMutableArray 取数组里面的元素一旦越界就会崩溃。那么有什么办法,让线上用户发生数组越界的时候不崩溃呢。这时候就可以用运行时来实现这个功能。
新建NSMutableArray的分类,包含runtime头文件
// load方法会在类第一次加载到内存的时候被调用
+ (void)load {
//方法交换只用执行一次
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
Class cls = NSClassFromString(@"__NSArrayM");
// 获取系统数组的selector
SEL systemSelector = @selector(objectAtIndex:);
// 自己要交换的selector
SEL swizzledSelector = @selector(zwb_safeObjectAtIndex:);
// 两个方法的Method
Method originalMethod = class_getInstanceMethod(cls, systemSelector);
Method swizzledMethod = class_getInstanceMethod(cls, swizzledSelector);
// 动态添加方法
if (class_addMethod(cls, systemSelector, method_getImplementation(swizzledMethod), method_getTypeEncoding(swizzledMethod))) {
// 添加成功的话将被交换方法的实现替换到这个并不存在的实现
class_replaceMethod(cls, swizzledSelector, method_getImplementation(originalMethod), method_getTypeEncoding(originalMethod));
}else {
//添加不成功,交换两个方法的实现
method_exchangeImplementations(originalMethod, swizzledMethod);
}
});
}
- (id)zwb_safeObjectAtIndex:(NSUInteger)index {
if (self.count > index) {
//一定是自己调用自己,不会死循环,因为地址已经交换,其实调用的是系统的objectAtIndex
return [self zwb_safeObjectAtIndex:index];
}else {
NSLog(@"数组越界");
return nil;
}
}
当然数组的其他方法也可以用这种方式防止崩溃,大家可以试试。