对于NSString对象的修饰常有Copy和Strong两种形式.但具体是Copy还是Strong,我们从两个方面来分析:
一.安全:
strong明显是浅拷贝,而Copy具体是深拷贝还是浅拷贝具体要看被拷贝的对象,首先上代码:
```
@interface ViewController ()
@property(nonatomic,copy) NSString *str;
@property(nonatomic,strong) NSString *mutableStr;
@end
@implementation ViewController
- (void)viewDidLoad {
[super viewDidLoad];
NSMutableString *sourceStr = [NSMutableString stringWithFormat:@"abc"];
self.str = sourceStr;
self.mutableStr = sourceStr;
NSLog(@"%@--------%@",self.str,self.mutableStr);
[sourceStr appendString:@"def"];
NSLog(@"%@--------%@",self.str,self.mutableStr);
}
输出结果为:
2017-09-01 15:58:29.775 LswTest[19073:5731417] abc--------abc
2017-09-01 15:58:29.775 LswTest[19073:5731417] abc--------abcdef
```
从上面的代码中我们可以清楚看出sourceStr对象的修改影响了self.mutableStr,而没有影响self.str,这是因为Strong是指针拷贝也就是浅拷贝,并没有开辟新的内存,sourceStr改变了,意味着self.mutableStr指向的内存地址的对象也改变了.而self.str用copy修饰,开辟了新的内存空间,sourceStr的改变并不能影响新开辟的内存对象
二.效率:
但是使用copy对象也不一定就比strong好,因为copy可能会对修饰的对象进行深拷贝(意味着开辟内存),这是非常费性能.所以尽量在使用中药区别对待,对于赋值对象为NSMutableString类型可以用copy,NSString类型还是用strong吧