在之前学习runtime的过程中,我发现方法交换有两种写法,一开始对对一种写法不太能理解,后来自己写demo来试验了一下以后就知道他是怎么回事了,其实这不是两种写法,准确的来说,只是这样写更严谨一点。
在做试验之前,首先你得了解以下三个方法的具体作用
- class_addMethod(添加方法,如方法已经存在,则添加失败)
- class_replaceMethod(替换方法)
- method_exchangeImplementations(方法交换,使用前提,两个方法都必须存在)
下面给出代码:
@interface ViewController : UIViewController
- (void)systemMethod_PrintLog;
- (void)ll_imageName;
@end
+(void)load{
SEL originalSelector = @selector(systemMethod_PrintLog);
SEL swizzledSelector = @selector(ll_imageName);
Method originalMethod = class_getInstanceMethod(self, originalSelector);
Method swizzledMethod = class_getInstanceMethod(self, swizzledSelector);
BOOL didAddMethod =
class_addMethod(self,
originalSelector,
method_getImplementation(swizzledMethod),
method_getTypeEncoding(swizzledMethod));
if (didAddMethod) {
class_replaceMethod(self,
swizzledSelector,
method_getImplementation(originalMethod),
method_getTypeEncoding(originalMethod));
} else {
method_exchangeImplementations(originalMethod, swizzledMethod);
}
}
- (void)ll_imageName{
NSLog(@"愁啊愁,白了头");
}
- (void)viewDidLoad {
[super viewDidLoad];
[self ll_imageName];
}
从上面我们可以看到,我只是写了ll_imageName这个方法的实现,原来的方法systemMethod_PrintLog我并没有写它的实现。那么因为此时originalSelector方法选择器中的实现是不存在的,所以class_addMethod方法就将ll_imageName方法的实现给加入到originalSelector方法选择器中,此时相当于让A的去接收B的实现。然后走class_replaceMethod方法,将swizzledSelector选择器的实现跟originalSelector的实现互相交换,看到这里,你应该已经猜到,无论如何交换,A,B两个选择器的实现都是一样的。
我们看看分别调用两个方法的结果
1.调用systemMethod_PrintLog,从图中可以看到实际执行的是ll_imageName的实现。
2.调用ll_imageName,从图中弄可以看到,它还是执行的是ll_imageName的实现。
结论:当原方法只是声明了并没实现时,咱们需要对其做处理,处理的方法就是把需要替换的方法实现给原方法。这种情况下,调用两个方法中的任何一个方法,他们的实现都是走的替换方法。
另一种情况就是当两个方法都存在的时候,就走下面的method_exchangeImplementations来进行方法的交换
总结:方法交换的这两种方法其实,replaceMethod是对原方法没有实现的一种补充说明。在写代码的过程中,尽量咱们应该尽量写全。