3

我有一个带有此代码的 UIViewController:

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

然后我有一个带有 UIViewController 类别的框架,它以这种方式运行:

+ (void)load {
    static dispatch_once_t onceToken;
    dispatch_once(&onceToken, ^{

        SEL viewWillAppearSelector = @selector(viewDidAppear:);
        SEL viewWillAppearLoggerSelector = @selector(logged_viewDidAppear:);
        Method originalMethod = class_getInstanceMethod(self, viewWillAppearSelector);
        Method extendedMethod = class_getInstanceMethod(self, viewWillAppearLoggerSelector);
        method_exchangeImplementations(originalMethod, extendedMethod);

    });
}

- (void)logged_viewDidAppear:(BOOL)animated
{
    [self logged_viewDidAppear:animated];

    NSLog(@"SWIZZLED");
}

输出是 SWIZZLED,然后是 CLASIC。

现在我的问题是:如果在我的视图控制器中我评论了 [super viewDidAppear:animated]; 然后不再调用 swizzled 方法;这是为什么?我理解了大部分方面,但似乎这一方面不知何故滑倒了。

- (void)viewDidAppear:(BOOL)animated
{
    // we comment this and this will trigger the swizzled method not being called anymore
    //[super viewDidAppear:animated];
    NSLog(@"CLASIC");
}

// ========================

+ (void)load {
    static dispatch_once_t onceToken;
    dispatch_once(&onceToken, ^{

        SEL viewWillAppearSelector = @selector(viewDidAppear:);
        SEL viewWillAppearLoggerSelector = @selector(logged_viewDidAppear:);
        Method originalMethod = class_getInstanceMethod(self, viewWillAppearSelector);
        Method extendedMethod = class_getInstanceMethod(self, viewWillAppearLoggerSelector);
        method_exchangeImplementations(originalMethod, extendedMethod);

    });
}

- (void)logged_viewDidAppear:(BOOL)animated
{
    [self logged_viewDidAppear:animated];

    NSLog(@"SWIZZLED");
}
4

1 回答 1

3

方法调配用于在运行时用自定义方法覆盖原始方法。因此,您几乎可以将任何方法(包括私有苹果实现的方法)与您编写的自定义方法进行交换。

所以想象有一个类命名Parent为一个名为方法的类,A然后你在它被调用之前与某个地方交换它,B就像内部load方法一样。从现在开始,B除了原始的“A”方法之外,“父”之外的每个子类都将使用。但是,如果您A在子类中覆盖怎么办?作为继承定义,对象将调用它们自己的方法,如果它们没有实现它,它们会使用它们的超类的方法。那么如果你想要parent implementation? 这就是super进来的地方。

结论

  • 如果你重写一个方法,超类(或超类中的自定义交换方法)方法将不会被调用
  • 如果你想要父实现,你必须使用super关键字来访问它

在这个问题的情况下:

  • 在不调用 super的情况下覆盖子类中的方法意味着您只需覆盖 swizzled 方法并且它不会被调用。

希望能帮助到你

于 2018-11-07T12:15:39.213 回答