iOS 消息转发机制
背景
由于在某一次面试题中有问到消息转发机制是什么,当时比较郁闷,今天想想整理了下资料,可能不够完善,但也能有个大致的了解~
实例
引子:APP崩溃时,发生了什么?
MusicPlayer *player = [[MusicPlayer alloc] init];
// 只声明 未实现
[player play];
此时崩溃了~ 在崩溃之前经历些神马?
一、转移实现
void play (id self, SEL _cmd)
{
NSLog(@"实现被转移到这里");
}
+ (BOOL)resolveInstanceMethod:(SEL)sel OBJC_AVAILABLE(10.5, 2.0, 9.0, 1.0){
if (sel == @selector(play)){
class_addMethod([self class], sel,(IMP)play, "v@:");
return YES;
}
return [super resolveInstanceMethod:sel];
}
二、target 转移
- (id)forwardingTargetForSelector:(SEL)aSelector OBJC_AVAILABLE(10.5, 2.0, 9.0, 1.0){
return [[Guitar alloc] init];
}
三、方法重新签名
- (NSMethodSignature *)methodSignatureForSelector:(SEL)aSelector OBJC_SWIFT_UNAVAILABLE("");
{
if (aSelector == @selector(play)){
return [NSMethodSignature signatureWithObjCTypes:"v@:"];
}
return [super methodSignatureForSelector:aSelector];
}
- (void)forwardInvocation:(NSInvocation *)anInvocation OBJC_SWIFT_UNAVAILABLE(""){
SEL selector = [anInvocation selector];
Guitar *gita = [[Guitar alloc] init];
if ([gita respondsToSelector:selector]){
[anInvocation invokeWithTarget:gita];
}
}
以上3中方式逐一执行,如果一直没有处理,也就崩溃了,也就是说崩溃前会有3处可以对数据进行处理~
作用
方法解析
在官方文档中有对 resolveInstanceMethod 方法的一些介绍,在实例化方法没有被实现的时候,可以通过该方法,创建一个 selector 来实现,具体方式如下:
+ (BOOL)resolveClassMethod:(SEL)sel OBJC_AVAILABLE(10.5, 2.0, 9.0, 1.0);
/**
* 描述: 为一个实例方法提供一个 selector 实现
* demo:
* void dynamicMethodIMP(id self, SEL _cmd)
*{
* // implementation ....
*}
*
*+ (BOOL) resolveInstanceMethod:(SEL)aSEL
*{
* if (aSEL == *@selector(resolveThisMethodDynamically))
* {
* class_addMethod([self class], *aSEL, (IMP) dynamicMethodIMP, "v@:");
* return YES;
* }
* return [super *resolveInstanceMethod:aSel];
*}
*
*
**/
+ (BOOL)resolveInstanceMethod:(SEL)sel OBJC_AVAILABLE(10.5, 2.0, 9.0, 1.0);
将方法实现转发到其他target中实现,可以使用forwardingTargetForSelector
- (id)forwardingTargetForSelector:(SEL)aSelector OBJC_AVAILABLE(10.5, 2.0, 9.0, 1.0);
自行处理没有实现的方法
/**
* 处理没有直接实现
*/
- (NSMethodSignature *)methodSignatureForSelector:(SEL)aSelector OBJC_SWIFT_UNAVAILABLE("");
/**
* 覆盖子类的实现, 将消息转发到其他对象中实现
*- (void)forwardInvocation:(NSInvocation *)invocation
*{
* SEL aSelector = [invocation selector];
*
* if ([friend *respondsToSelector:aSelector])
* [invocation *invokeWithTarget:friend];
* else
* [super *forwardInvocation:invocation];
*}
*/
- (void)forwardInvocation:(NSInvocation *)anInvocation OBJC_SWIFT_UNAVAILABLE("");