iOS 类别和类扩展

背景:

给一个类添加方法,同时不让子类继承该方法,所以产生了类别(分类)

category :

一个结构体指针,原则上只能增加方法,不能添加属性。

Category 是表示一个指向分类的结构体的指针,其定义如下:typedefstructobjc_category*Category;structobjc_category{char*category_name OBJC2_UNAVAILABLE;// 分类名char*class_name OBJC2_UNAVAILABLE;// 分类所属的类名structobjc_method_list*instance_methodsOBJC2_UNAVAILABLE;// 实例方法列表structobjc_method_list*class_methodsOBJC2_UNAVAILABLE;// 类方法列表structobjc_protocol_list*protocolsOBJC2_UNAVAILABLE;// 分类所实现的协议列表}

如上可以看出类别没有属性列表,所有原则上不能添加属性,但是可以其他方式加上(运用运行时机制runtime)

1.分类中的可以写@property, 但不会生成setter/getter方法, 也不会生成实现以及私有的成员变量(编译时会报警告);

2.可以在分类中访问原有类中.h中的属性

3.如果分类中有和原有类同名的方法, 会优先调用分类中的方法, 就是说会忽略原有类的方法。所以同名方法调用的优先级为 分类 > 本类 > 父类。因此在开发中尽量不要覆盖原有类;

4.如果多个分类中都有和原有类中同名的方法, 那么调用该方法的时候执行谁由编译器决定;编译器会执行最后一个参与编译的分类中的方法

runtime 为 类别添加属性,子类也可以访问

@interfaceFSPeople (Action)

@property(nonatomic,strong)NSString*nameWithSetterGetter;

@end

#import "FSPeople+Action.h"

#import

static NSString *nameWithSetterGetterKey = @"nameWithSetterGetterKey";

@implementationFSPeople (Action)

- (void)setNameWithSetterGetter:(NSString*)nameWithSetterGetter{

    objc_setAssociatedObject(self, &nameWithSetterGetterKey, nameWithSetterGetter, OBJC_ASSOCIATION_COPY);

}

- (NSString*)nameWithSetterGetter{

    return objc_getAssociatedObject(self, &nameWithSetterGetterKey);

}

@end

使用:

FSPeople*people = [[FSPeoplealloc]init];

    people.nameWithSetterGetter = @"类别扩展属性赋值";  // set方法

    NSLog(@"%@",people.nameWithSetterGetter);     //  get 方法


类扩展(Class Extension)

#import "FSPeople.h"

@interface FSPeople ()

@property(nonatomic,copy)NSString*extentionString;

- (void)printShow;

@end

#import "FSPeople.h"

#import "FSPeople+FSDDDD.h"

@implementation FSPeople

- (void)printShow

{

    NSLog(@"我是类扩展");

}

@end


作用:

为一个类添加额外的原来没有的属性和方法

一般的类扩展写到.m文件中

一般的私有属性写到.m文件中的类扩展中

注意:类扩展的方法必须实现依托。m文件

类别和类扩展的区别

1、类别中原则上只能增加方法(能添加属性的的原因通过runtime解决无setter/getter的问题,添加的属性是共有的,本类和子类都能访问);

2、类扩展中声明的方法没被实现,编译器会报警,但是类别中的方法没被实现编译器是不会有任何警告的。这是因为类扩展是在编译阶段被添加到类中,而类别是在运行时添加到类中

3、类扩展不能像类别那样拥有独立的实现部分(@implementation部分),也就是说,类扩展所声明的方法必须依托对应类的。m部分来实现。

4、类扩展不仅可以增加方法,还可以增加实例属性;定义在 .m 文件中的类扩展方法和属性为私有的,定义在 .h 文件(新建扩展文件的。h)中的类扩展方法和属性为公有的。类扩展是在 .m 文件中声明私有方法的非常好的方式。


Demo:使用部分     Demo 下载

  FSPeople*people = [[FSPeoplealloc]init];


    // 类别 -- 属性和方法

    people.nameWithSetterGetter = @"类别扩展属性赋值";

    NSLog(@"%@",people.nameWithSetterGetter);

    [peopleprintCategate];



    // 类扩展 属性和方法

    [peopleprintShow];

    people.extentionString = @"我是类扩展属性";

    NSLog(@"%@",people.extentionString);


    FSFather*father = [[FSFatheralloc]init];

    father.nameWithSetterGetter = @"类别-子类调用赋值";

    NSLog(@"%@",father.nameWithSetterGetter);


    father.extentionString = @"类扩展-子类调用赋值";

    NSLog(@"%@",father.extentionString);

你可能感兴趣的:(iOS 类别和类扩展)