类扩展 (ClassExtension也有人称为匿名分类)
作用
能为某个类附加额外的属性,成员变量,方法声明
一般的类扩展写到.m文件中
一般的私有属性写到类扩展
使用方法
@interface类名()
//属性
//方法
@end
分类(Categories)
作用
分类只能扩充方法,不能扩展属性和成员变量。
如果分类中声明了一个属性,那么分类只会生成这个属性的set、get方法声明,也就是不会有实现。
(利用Runtime增加属性的set和get方法)
使用方法 注意:分类的小括号中必须有名字
@interface类名(分类名字)
/*方法声明*/
@end
@implementation类名(分类名字)
/*方法实现*/
@end
利用Runtime动态增加分类属性
objc_getAssociatedObject //get方法
objc_setAssociatedObject //set方法
在分类的.h文件中声明属性
@interface UIViewController (Information)
@property (nonatomic, copy) NSString *name; //视图名字
@property (nonatomic, assign) BOOL hasChildViewController; //是否有子视图
@property (nonatomic, strong) UIImage*backgroundImage; //背景图片
@end
在分类的.m文件中动态绑定set和get方法
static const void *kName = "name";
static const void *kHasChildViewController = @"hasChildViewController";
static const void *kBackgroundImage = @"backgroundImage";
@implementation UIViewController (Information)
#pragma mark - 字符串类型的动态绑定
- (NSString *)name {
return objc_getAssociatedObject(self, kName);
}
- (void)setName:(NSString *)name {
objc_setAssociatedObject(self, kName,name, OBJC_ASSOCIATION_COPY_NONATOMIC);
}
#pragma mark - BOOL类型的动态绑定
- (BOOL)hasChildViewController {
return[objc_getAssociatedObject(self, kHasChildViewController) boolValue];
}
- (void)setHasChildViewController:(BOOL)hasChildViewController {
objc_setAssociatedObject(self, kHasChildViewController, [NSNumbernumberWithBool:hasChildViewController], OBJC_ASSOCIATION_ASSIGN);
}
#pragma mark - 类类型的动态绑定
-(UIImage *)backgroundImage {
return objc_getAssociatedObject(self, kBackgroundImage);
}
- (void)setBackgroundImage:(UIImage *)backgroundImage{
objc_setAssociatedObject(self,kBackgroundImage, backgroundImage, OBJC_ASSOCIATION_RETAIN_NONATOMIC);
}
@end
网友评论