本篇文章主要讲述copy、strong的区别。
补充一下tableview代理方法的执行顺序
目录:
- tableview常用代理方法执行顺序
- copy、strong区别
1.原字符串是不可变字符串
2.原字符串是可变字符串
3.总结
1、tableview常用代理方法执行顺序
a) numberOfSections
b) headerHeight
footerHeight
numberOfRows
rowHeight
c)return cell
rowHeight
d)return headerView
return footerView
注:如果返回n个row b组会先执行n次,之后再执行n次c组 ,最后是n次d组。
2、copy、strong区别
@property (strong, nonatomic) NSString *strongStr;
@property (copy, nonatomic) NSString *copStr;
两种情况
a) 原字符串是不可变字符串:
NSString * NormalStr = @"Strings";
self.strongStr = NormalStr ;
self.copStr = NormalStr ;
// 打印地址信息
// NormalStr = 0x10cce8078
// strongStr = 0x10cce8078
// copStr = 0x10cce8078
// ***** 直接赋值,三者地址一样 *****
self.strongStr = [NormalStr copy];
self.copStr = [NormalStr copy];
// 打印地址信息
// NormalStr = 0x1011dc078
// strongStr = 0x1011dc078
// copStr = 0x1011dc078
// ***** copy 之后三者地址一样,属于浅拷贝 *****
self.strongStr = [NormalStr mutableCopy];
self.copStr = [NormalStr mutableCopy];
// 打印地址信息
// NormalStr = 0x10edcd078
// strongStr = 0x600000261240
// copStr = 0xa73676e697274537
// ***** mutableCopy之后三者地址都不一样,属于深拷贝 *****
总结:
1、原字符串为不可变字符串的时候,直接赋值及变量copy时strong和copy修饰词作用是一样的,都是浅拷贝,指向同一个字符串"Strings";
2、三者地址相同时,修改strongStr,copStr,NormalStr 三个中的任一个都不会影响其他变量的值。只是被修改的值又指向了新的内存空间;
3、mutableCopy时属于深拷贝,每一个属性指向的都是新的内存空间
b) 原字符串是可变字符串:
NSMutableString * mutableString = [NSMutableString stringWithString:@"MutableStr"];
self.strongStr = mutableString;
self.copStr = mutableString;
// 打印地址信息
// mutableString = 0x60000026eb40
// strongStr = 0x60000026eb40
// copStr = 0x600000033020
// ***** strong修饰的与原字符串地址一样,copy修饰的地址不一样 *****
self.strongStr = [mutableString copy];
self.copStr = [mutableString copy];
// 打印地址信息
// mutableString = 0x600000074d00
// strongStr = 0x6000000271a0
// copStr = 0x6000000271c0
// ***** 变量copy之后三者地址都不一样 *****
self.strongStr = [mutableString mutableCopy];
self.copStr = [mutableString mutableCopy];
// 打印地址信息
// mutableString = 0x6080002614c0
// strongStr = 0x608000261780
// copStr = 0x60800003d380
// ***** 变量mutableCopy之后三者地址都不一样 *****
总结:
1、变量copy之后得到的结果是不可变的,mutableCopy之后得到的结果是可变的;(可以自己验证一下)
2、strong和copy的区别对源数据是mutable的时候才有意义,如果是不可变的两者都属于浅拷贝。
3、源数据是mutable时使用copy安全,如果源数据是不可变的就可以使用strong。