美文网首页面试题
iOS 中 self 和 super 的区别

iOS 中 self 和 super 的区别

作者: 打不死的小怪兽 | 来源:发表于2018-07-03 14:03 被阅读35次
    一、要点:
    • self调用自己方法,super调用父类方法
    • self是类,super是预编译指令
    • [self class][super class]输出是一样的
    二、self和super底层实现原理:

    当使用 self 调用方法时,会从当前类的方法列表中开始找,如果没有,就从父类中再找;而当使用 super 时,则从父类的方法列表中开始找,然后调用父类的这个方法。
    (1) 当使用 self 调用时,会使用 objc_msgSend函数: id objc_msgSend(id theReceiver, SEL theSelector, ...)。第 一个参数是消息接收者,第二个参数是调用的具体类方法的 selector,后面是 selector 方法的可变参数。以[self setName:] 为例,编译器会替换成调用 objc_msgSend 的函数调用,其中 theReceiverselftheSelector@selector(setName:),这个 selector 是从当前 self 的 class 的方法列表开始找的 setName,当找到后把对应的 selector 传递过去。

    (2) 当使用 super 调用时,会使用 objc_msgSendSuper 函数:id objc_msgSendSuper(struct objc_super *super, SEL op, ...)第一个参数是个objc_super的结构体,第二个参数还是类似上面的类方法的selector

    struct objc_super {
          id receiver;
          Class superClass;
    };
    

    当编译器遇到 [super setName:]时,开始做这几个事:

    1)构 建objc_super 的结构体,此时这个结构体的第一个成员变量receiver就是 子类,和 self 相同。而第二个成员变量 superClass就是指父类
    调用 objc_msgSendSuper 的方法,将这个结构体和 setName 的 sel 传递过去。

    2)函数里面在做的事情类似这样:从 objc_super结构体指向的superClass的方法列表开始找 setNameselector,找到后再以 objc_super->receiver去调用这个selector

    三、self和super Demo的实现
    @interface Father:NSObject  {
          NSString*  name;
    }
    - (void)setName:(NSString*) yourName;
     
    @end
     
    @interface Son:Father {
          NSUInteger age;
    }
    - (void) setAge:(NSUInteger) age;
    - (void) setName:(NSString*) yourName andAge:(NSUInteger) age;
    @end
    
    @implementation Son
    - (void) setName:(NSString*) yourName andAge:(NSUInteger) age  {
        [self setAge:age];
        [super setName:yourName];
    }
    @end
    
    int main(int argc, char* argv[]) {
        AutoreleasePool{
            Son* son = [[Son alloc] init];
            [son setName:@"aaa" andAge:18];
     
        }
        return 0;
    }
    
    

    上面有简单的两个类,在子类Son中调用了自己类中的setAge和父类中的setName, 然后在setName:andAge的方法中加入两行:

    NSLog(@"self ' class is %@", [self class]);  //打印输出结果为:self 's class is Son
    NSLog(@"super' class is %@", [super class]);  //打印输出结果为:super ' s class is Son
    

    参考:https://blog.csdn.net/loving_ios/article/details/49884599
    https://www.cnblogs.com/wustlj/archive/2011/11/07/2239635.html

    相关文章

      网友评论

        本文标题:iOS 中 self 和 super 的区别

        本文链接:https://www.haomeiwen.com/subject/tnwduftx.html