copy、strong、mutablecopy

copy 和strong

1:修饰mutableArra

@property (nonatomic,strong)NSMutableArray * arrStrong;

@property (nonatomic,copy)NSMutableArray * arrCopy;


NSMutableArray不能用copy修饰,因为在set方法的时候会将array拷贝成不可变的。当后面对其进行操作的时候灰会造成系统崩溃


2:修饰string

@property (nonatomic,strong)NSString * strStrong;

@property (nonatomic,copy)NSString * strCopy;

Person * pers = [[Person alloc] init];

NSMutableString * nn = [NSMutableString stringWithString:@"1234567"];

self.strStrong = nn;

self.strCopy = nn;

[nn appendString:@"kkkk"];

NSLog(@"\nstrStrong的内容==%@\nstrCopy的内容==%@ \nnnn的内容====%@",self.strStrong,self.strCopy,nn);


---输出

strStrong的内容==1234567kkkk

strCopy的内容==1234567

nnn的内容====1234567kkkk


NSLog(@"\nstrStrong的指针地址 =%p \nstrCopy的指针地址 = %p \nn的指针地址 == %p",self.strStrong, self.strCopy,nn);


---输出

strStrong的指针地址 =0x60000006b9c0

strCopy的指针地址 = 0xf84349ca70cc38f6

n的指针地址 == 0x60000006b9c0


//strong的指针地址与nn相同,说明指向同一块内存。所以当nn改变的时候strong修饰的对象内容会改变。

//copy修饰的对象指针指向的内容地址是一块新的地址,所以修饰string的时候用copy比较合适

所以在希望不改变原始数据的情况下使用string串使用copy比较合适

3:修饰array

//copy 与strong对不可变数组的修饰

@property (nonatomic,strong)NSArray * sArray;

@property (nonatomic,copy)NSArray * cArray;

NSMutableArray * names = [@[@"zahngsan"] mutableCopy];

pers.sArray = names;

pers.cArray = names;

· [names addObject:@"lisi"];

NSLog(@"sArray = %@,cArray = %@",pers.sArray,pers.cArray);

//还是因为 strong 进行了指针拷贝。在内存中,两个变量指向的是同一块内存地址


--输出

sArray = (

zahngsan,

lisi

),

cArray = (

zahngsan

)

因为使用数组的时候是要对数组里的数据进行操作的,所以一般使用array用strong修饰


4:copy与mutablecopy

NSString * str1 = @"123";

NSMutableString * str2 = [NSMutableString stringWithString:@"234"];

NSLog(@"str1 = %p str1.copy = %p str1.mutablecopy = %p",str1,str1.copy,str1.mutableCopy);

---输出

**str1 = 0x108742190 **

**str1.copy = 0x108742190 **

str1.mutablecopy = 0x600002c36fa0

在原始数据是不可变数据的时候copy指向同一片内存地址。

mutablecopy会指向一块新的内存地址

NSLog(@"str2 = %p str2.copy = %p str2.mutablecopy = %p",str2,str2.copy,str2.mutableCopy);

---输出

**str2 = 0x600002c363a0 **

**str2.copy = 0xb91097712803399a **

str2.mutablecopy = 0x600002c36fa0

原始数据是可变数据的情况copy与mutablecopy都是新开辟一块内存地址

你可能感兴趣的:(copy、strong、mutablecopy)