美文网首页
self和super区别 继承和调用

self和super区别 继承和调用

作者: yangfei02821 | 来源:发表于2019-08-21 16:34 被阅读0次

    案例:

    person.h
    #import <Foundation/Foundation.h>
    
    @interface person : NSObject
    
    - (void)run;
    
    - (void)eat;
    
    @end
    
    person.m
    #import "person.h"
    @implementation person
    
    - (void)run{
        [self eat];
    }
    - (void)eat{
        NSLog(@"person");
    }
    @end
    
    //  teacher.h
    #import "person.h"
    @interface teacher : person
    @end
    
    teacher.m
    #import "teacher.h"
    @implementation teacher
    - (void)eat{
        [super eat];
        NSLog(@"teacher");
    }
    @end
    
    student.h
    #import "teacher.h"
    @interface student : teacher
    
    @end
    
    student.m
    #import "student.h"
    @implementation student
    @end
    

    三个类,student继承自teacher,teacher继承自person

     student * stu = [[student alloc] init];
      [stu run];
    ///打印结果 person  teacher 
    
    image.png

    调用父类的run self还是为student*

    总结:
    self调用自己方法,super调用父类方法
    self是类,super是预编译指令
    【self class】和【super class】输出是一样的

    self和super底层实现原理:

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

    面试题:

    @implementation Son : Father
       - (id)init
       {
           self = [super init];
           if (self) {
               NSLog(@"%@", NSStringFromClass([self class]));
               NSLog(@"%@", NSStringFromClass([super class]));
           }
           return self;
       }
       @end
    

    NSStringFromClass([self class]) = Son
    NSStringFromClass([super class]) = Son

    相关文章

      网友评论

          本文标题:self和super区别 继承和调用

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