@interface 、 @implementation
- OC中的类必须包括两部分,interface部分和implementation部分,这才是oc中的一个类的完整声明;
- OC中将成员变量和成员方法的声明部分放置在interface部分中,包括继承关系,protocal实现关系,都在interface里面的头部进行声明。
- 然后将实现部分放置在implementation部分中,相当于是将类拆分成声明和实现两部分,这两部分缺一不可。
@property 和@synthesize
- @property 关键字可以自动生成某个成员变量的setter和getter方法的声明
@property int age;
编译时遇到这一行,则自动扩展成下面两句:
-(void)setAge:(int)age;
-(int)age; - @synthesize关键字
@synthesize关键字帮助生成成员变量的setter和getter方法的实现。
语法:@synthesize age=_age;
相当于下面的代码:
-(void)setAge:(int)age
{
_age=age;
}
-(int)age
{
Return _age;
}
Category分类 和 类的延展Extension
category:类别是一种为现有的类添加新方法的方式。
- 创建方式如下:
-
生成如下:
- 在@interface中添加类的方法,但是不能添加成员变量或属性。但这种说话不严谨。
- 我们知道在一个类中用@property声明属性,编译器会自动帮我们生成成员变量和setter/getter,但分类的指针结构体中,根本没有属性列表。所以在分类中用@property声明属性,既无法生成_成员变量也无法生成setter/getter。
- OC是动态语言,方法真正的实现是通过runtime完成的,虽然系统不给我们生成setter/getter,但我们可以通过runtime手动添加setter/getter方法。
#import "MBProgressHUD.h"
@interface MBProgressHUD (kekeke)
//方法
+ (void)showSuccess:(NSString *)success;
//属性
@property(nonatomic,copy) NSString *nameWithSetterGetter;
@end
#import "MBProgressHUD+kekeke.h"
@implementation MBProgressHUD (kekeke)
//实现的类方法
+ (void)showSuccess:(NSString *)success {
}
//通过runtime手动添加setter/getter方法。
- (void)setNameWithSetterGetter:(NSString *)nameWithSetterGetter {
objc_setAssociatedObject(self, &nameWithSetterGetterKey, nameWithSetterGetter, OBJC_ASSOCIATION_COPY);
}
- (NSString *)nameWithSetterGetter {
return objc_getAssociatedObject(self, &nameWithSetterGetterKey);
}
@end
Extension : 首先还是需要创建相关类的扩展,即方法的声明,然后在需要扩张的类中引入头文件,然后实现声明的方法。
- 使用类似 分类的方式定义头文件,但是没有实现类,而是写在原始实现类.m中
PersonExtend.h
#import "Person.h"
@interface Person () //() 一般不指定名字
- (void) smile; //声明
@end
2.在Person.m 引入PersonExtend.h ,并实现方法, 方法即为私有的。
Person.m
#import "Person.h"
#import "PersonExtend.h"
@interface Person (extension) //这里的@interface ... @end 可省略,但不建议。方便看出哪些是私有的方法
- (void) smile; //声明
@end
@implementation Person
- void smile
{
//在其他公有方法中,使用 [self smile] 调用
}
@end
Category 与Extension 的区别
- 形式上看:extension 是匿名的category
- extension中声明的方法需要在mainimplementation中实现,而category 不做强制要求
- extension 可以添加属性、成员变量,而category 一般不可以。