NSCopying协议

NSCopying协议_第1张图片
有这么多bug要去改!

NSCopying协议

如果想令自己的类支持拷贝操作,那就要实现NSCopying协议。

现有自定义类PassModel,界面A和界面B,将A界面的PassModel对象“=”赋值给B界面的PassModel属性(由copy修饰)。

B界面中定义的属性:

@property (nonatomic, copy) PassModel *passModel;

A —> B,并用“=”赋值:

- (void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender {
    if ([segue.identifier isEqualToString:@"pushSegue"]) {

        PassModel *model = [[PassModel alloc] init];
        model.name = @"Michael";

        SecondViewController *secVC = segue.destinationViewController;
        secVC.passModel = model;
    }
}

在执行Segue时会报错:

2016-05-12 11:26:38.304 VCPassValuesUsingNSCopying[3349:10296161] *** Terminating app due to uncaught exception 'NSInvalidArgumentException', reason: '-[PassModel copyWithZone:]: unrecognized selector sent to instance 0x7fde70508cd0'

原因: 自定义一个类,想把这个类的整个部分的值传到另一个界面,这就涉及到拷贝问题,自定义的类里一定要实现NSCopying协议,写上拷贝的方法 - (id)copyWithZone:(NSZone *)zone,这样这个类才会像NSString类一样,可以用“=”赋值拷贝。

PassModel.h类实现 NSCopying协议:

@interface PassModel : NSObject 

PassModel.m中,实现 - (id)copyWithZone:(NSZone *)zone方法:

- (id)copyWithZone:(NSZone *)zone {
    PassModel *model = [[PassModel allocWithZone:zone] init];
    model.name = self.name;
    return model;
}

copy 与 mutableCopy

无论当前实例是否可变,若获取其可变版本的拷贝,则均应调用mutableCopy方法。同理,若需要不可变的拷贝,则总应调用copy方法来获取。
对于NSArray和NSMutableArray来说,下列关系总是成立的:

  • [NSMutableArray copy] => NSArray
  • [NSArray mutableCopy] => NSMutableArray

如果自定义的类分为可变版本和不可变版本时,那么就要同时实现NSCopying协议和NSMutableCopying协议。


深拷贝 与 浅拷贝

深拷贝:在拷贝对象自身时,将其底层数据也一并复制过去。

Foundation框架中的所有collection类在默认情况下都执行浅拷贝,也就是说,只拷贝容器对象本身,而不复制其中数据。

浅拷贝之后的内容与原始内容均指向相同对象。而深拷贝之后的内容所指的对象是原始内容中相关对象的一份拷贝。

NSArray,NSDictionary,NSSet分别对应的深拷贝初始化方法:

方法
NSArray - (instancetype)initWithArray:(NSArray *)array copyItems:(BOOL)flag;
NSDictionary - (instancetype)initWithDictionary:(NSDictionary *)otherDictionary copyItems:(BOOL)flag;
NSSet - (instancetype)initWithSet:(NSSet *)set copyItems:(BOOL)flag;

(完)

你可能感兴趣的:(NSCopying协议)