-
nullable
: 表示对象可以为空
下面是三种写法:
@property (nullable, nonatomic, strong) NSString *name;
@property (nonatomic, strong) NSString * _Nullable name;
@property (nonatomic, strong) NSString * __nullable name;
-
nonnull
: 表示对象不能为空
下面是三种写法:
@property (nonnull, nonatomic, strong) NSString *name;
@property (nonatomic, strong) NSString * _Nonnull name;
@property (nonatomic, strong) NSString * __nonnull name;
null_resettable
: 当用此关键字修饰对象属性时, 表示通过getter方法获取的对象属性不为空,通过setter方法进行赋值时可以为空, 而且必须实现其getter或者setter方法, 不然会报警告.泛型
可以通过泛型的特性来限制数组中的元素只能为某一种类型, 例如有一个数组,我们想让放入里面的元素都为NSString
类型, 那么可以这么写:
@property (nonatomic, strong) NSMutableArray * names;
我们也可以自定义泛型:
下面我们新建一个Animal
类, 并给Animal
类添加一个表示物种的属性species
, 这个属性的类型时是不确定的.
Animal.h
中代码如下:
#import
@interface Animal : NSObject
@property (nonatomic, strong) ObjectType species;
@end
接着在ViewController.m
进行测试,在初始化时如果指定了ObjectType为某一类型后, 在对属性species
进行赋值时, xcode会进行提示species
所需的类型,如下图:
-
__covariant
: 协变, 子类可以强转为父类(里氏替换原则).
__contravariant
: 逆变, 父类可以强转为子类.
新建两个Animal
对象a
和b
,分别制定属性的类型为NSString
和NSMutableString
类型,通过a
和b
进行强转时会出现如下警告:
如果想要a = b
不报警,也就是允许子类强转为父类,则需要在Animal.h
加入__covariant
关键字, 代码如下:
#import
@interface Animal<__covariant ObjectType> : NSObject
@property (nonatomic, strong) ObjectType species;
@end
如果想要b = a
不报警,也就是允许父类强转为子类,则需要在Animal.h
加入__contravariant
关键字, 代码如下:
#import
@interface Animal<__contravariant ObjectType> : NSObject
@property (nonatomic, strong) ObjectType species;
@end
-
__kindof
: 表示当前类或者其子类.
例如在UITableView
类中有如下方法:
- (nullable __kindof UITableViewCell *)cellForRowAtIndexPath:(NSIndexPath *)indexPath;
这里的__kindof
表示的含义就是该方法返回的是UITableViewCell
对象,或者是UITableViewCell
的子类对象.