iOS开发 Objective-CIOS实战

iOS中关于类方法和实例方法及self和super

2018-05-15  本文已影响889人  寻形觅影
一、关于类方法和实例方法:

1、类方法:Class Method 有时被称为静态方法,类方法可以独立于实例对象而执行。在使用类方法时要注意以下几点:

@interface JRSecondViewController ()
{
    UIImageView * _imageView;
}
@property(strong,nonatomic)UIButton *btn;
@end

@implementation JRSecondViewController

+(void)creatSomeObject
{
    _imageView = [[UIImageView alloc] init];
    self.btn = [UIButton new];
    [self creatMethod];
    [self creatInstance];
}
+(void)creatMethod{ }

-(void)creatInstance{ }

@end
上面示例报错详情
2、实例方法:必须由类的实例对象调用,可以访问属性,实例变量,同样可以访问类对象,使用限制相对于类方法较少。
一、关于self和super

 总的来说:self会优先调用本类中的方法,super会优先调用父类方法。但是,self是指向本类的指针,是类的隐藏参数,指向当前调用方法的对象(类对象或者实例对象),super却不是指向父类的指针,只是一个编译器标识符,其在运行时中与self相同,指向同一个消息接受者,只是self会优先在当前类的methodLists中查找方法,而super则是优先从父类中查找, 向super发送消息是一种调用继承链上的超类定义的 方法实现的方法。

// 基类:
@interface BaseViewController : UIViewController

- (id)returnSomething;

@end


@implementation BaseViewController

- (void)viewDidLoad {
    [super viewDidLoad];
    self.view.backgroundColor = [UIColor whiteColor];
    NSLog(@"super -- %@ , self -- %@", [super class], [self class]);
}

- (id)returnSomething
{
    return [UIView new];
}
@end

// 子类:
@interface JRSecondViewController : BaseViewController

@end

@implementation JRSecondViewController

- (instancetype)init
{
    self = [super init];
    if (self) {
        NSLog(@"self == %@", [self class]);
        NSLog(@"super == %@", [super class]);
    }
    return self;
}

- (void)viewDidLoad {
    [super viewDidLoad];
    // 会从当前类的方法列表中开始找,如果没有,就从父类中再找;
    NSLog(@"viewDidLoad -> self == %@", [self returnSomething]);
    // 如果父类中只用方法定义而未实现则此处会报错
    NSLog(@"viewDidLoad -> super == %@", [super returnSomething]);
}

-(id)returnSomething
{
    return [UIImageView new];
}
@end

// 外部调用
JRSecondViewController * secondVC = [JRSecondViewController new];
[self presentViewController:baseNavVC animated:YES completion:^{

}];

// 打印结果:
17:38:30.721835+0800  self == JRSecondViewController
17:38:30.722161+0800  super == JRSecondViewController
17:38:30.738893+0800  super -- JRSecondViewController , self -- JRSecondViewController
17:38:30.740765+0800  viewDidLoad -> self == <UIImageView: 0x7f9e5e507f30; frame = (0 0; 0 0); userInteractionEnabled = NO; layer = <CALayer: 0x600000029c00>>
17:38:30.741180+0800  viewDidLoad -> super == <UIView: 0x7f9e5e650520; frame = (0 0; 0 0); layer = <CALayer: 0x600000030be0>>

结果分析:

经过上面的例子再回来看self和super的实现原理可能更加好理解:

struct objc_super {
    __unsafe_unretained _Nonnull id receiver;
    __unsafe_unretained _Nonnull Class super_class;
};

这样结合上述例子和self和super的原理就会很容易明白为什么[self class][super class]输出结果会是一样的,同时在BaseViewControllerviewDidLoad[self class][super class]输出都是子类类对象了。

上一篇 下一篇

猜你喜欢

热点阅读