方法没有正确射击?

时间:2014-05-19 23:09:27

标签: ios objective-c uiviewcontroller swizzling

我正在关注此article以更好地了解方法调配是如何工作的。我有我的主视图控制器(这是一个新项目),如下所示:

#import "GLViewController.h"
#import <objc/runtime.h>

@implementation UIViewController (Tracking)

+ (void)load {
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
    Class class = [UIViewController class];

    SEL originalSelector = @selector(viewWillAppear:);
    SEL swizzledSelector = @selector(xxx_viewWillAppear:);

    Method originalMethod = class_getInstanceMethod(class, originalSelector);
    Method swizzledMethod = class_getInstanceMethod(class, swizzledSelector);

    BOOL didAddMethod =
    class_addMethod(class,
                    originalSelector,
                    method_getImplementation(swizzledMethod),
                    method_getTypeEncoding(swizzledMethod));

    if (didAddMethod) {
        class_replaceMethod(class,
                            swizzledSelector,
                            method_getImplementation(originalMethod),
                            method_getTypeEncoding(originalMethod));
    } else {
        method_exchangeImplementations(originalMethod, swizzledMethod);
    }
});
}

#pragma mark - Method Swizzling

- (void)xxx_viewWillAppear:(BOOL)animated {
[self xxx_viewWillAppear:animated];
NSLog(@"viewWillAppear: %@", self);
}

@end


@implementation GLViewController

-(void)viewWillAppear:(BOOL)animated
{
  NSLog(@"glviewappear");
}

 - (void)viewDidLoad
{
    [super viewDidLoad];

}
- (void)didReceiveMemoryWarning
{
    [super didReceiveMemoryWarning];
    // Dispose of any resources that can be recreated.
}

@end

如果我运行它,那么它会打印glviewappear,如果我删除

-(void)viewWillAppear:(BOOL)animated
{
  NSLog(@"glviewappear");
}

然后打印viewWillAppear: <GLViewController: 0x9d11a90>。我的项目需要能够触发这两种方法。有没有办法做到这一点?

1 个答案:

答案 0 :(得分:5)

原因很简单。您没有调用UIViewController实现,因为您没有调用[super viewWillAppear:animated]

只是做:

-(void)viewWillAppear:(BOOL)animated
{
  [super viewWillAppear:animated];
  NSLog(@"glviewappear");
}

以下是更详细的说明

Objective C类中的每个方法只不过是一个简单的函数,通过保存在调度表中的指针引用:键是选择器,它们的关联值是每个方法实现的指针({{1 }})。

当您调度时,您只需在调度表中交换两个指针,以交换引用的函数。由于调度表附加到类上,因此在执行它的类中,swizzling只发生 ,而不是在子类中。

在您的情况下,有3种不同的功能在起作用: UIViewController具有指向调度表中以下函数的指针。这些函数在运行时通过调配进行交换。

  • IMP(现在指向viewWillAppear:实施)
  • xxx_viewWillAppear:(现在指向xxx_viewWillAppear:实施)

GLViewController有另一个指针,指向它自己的viewWillAppear:实现。

如果您没有调用viewWillAppear:,则表示您没有访问super类的调度表,因此您根本不会调用该实现。

删除viewWillAppear:方法时,显然它可以正常工作,因为超级实现会自动调用。