转载

ViewController中的UIView Property要设置为weak还是strong

众所周知,从IB中拖出来的outlet Xcode会默认设置为weak,那么代码new出来并且addSubview到self.view的view,我们在property里要设置为strong还是weak呢。

Weak or Strong?

假设一个ViewController的self.view中有一个Label,那么他们三者的关系是:

ViewController中的UIView Property要设置为weak还是strong

可以看到Label的所有者其实是self.view,正常来说一个对象只有一个所有者,如果再将ViewController中的Label引用声明为strong,那么当label从self.view中移除后,label将不会销毁,造成View的冗余。

于是我们愉快地把Label声明为 weak ,但是在初始化label的时候,Xcode又猝不及防地扔给我们一个warning。

ViewController中的UIView Property要设置为weak还是strong

咦,我们 addSubview 之后 self.label 不是已经被 self.view 强引用了嘛,这又是什么鬼为什么Xcode还跟我们说都是weak惹的祸这个对象马上就要被释放了。编译一下试试,发现ViewController里面果然一片雪白,完全没有刚刚加进去的label的影子,看来Xcode没有骗我们。

Label消失的原因

我们来逐步分析一下这几句话背后引用计数的变化:

self.label = [[UILabel alloc] initWithFrame:CGRectMake(100, 100, 100, 100)];

这句话其实应该拆成两句话,首先alloc出了一个 UILabel 的临时变量,然后再使用 setLabel 将临时变量复制给self.label。其中引用计数变化如下

id temp = [[UILabel alloc] initWithFrame:CGRectMake(100, 100, 100, 100)];       //tempLabel引用计数为1 [self setLabel: temp];          //由于self.label是weak,因此此处引用计数还是1

然后接下来的代码中没有再用到temp,temp被释放,此时引用计数为0,temp被设为nil,于是self.label也被设为nil

[temp release];         //引用计数变为0

最后 addSubview 时只add了一个nil的view,引用计数并不能增加,所以我们在运行时才没有看到new出来的label。

[self.view addSubview:self.label];              //此处等于[self.view addSubview:nil];

正确的打开方式

正确的打开方式是先用一个临时变量把init出来的变量hold住,防止 temp 在执行的过程中被释放,先亮代码:

UILabel *tempLabel = [[UILabel alloc] initWithFrame:CGRectMake(100, 100, 100, 100)]; self.label = tempLabel; self.label = @"Hello World"; [self.view addSubview:self.label];

这段话的引用计数过程是

UILabel *tempLabel = [[UILabel alloc] initWithFrame:CGRectMake(100, 100, 100, 100)];

这句话可以拆成两句

id temp = [[UILabel alloc] initWithFrame:CGRectMake(100, 100, 100, 100)];           //temp引用计数为1 UILabel *tempLabel = temp;          //局部变量默认是strong,temp引用计数增至2
self.label = tempLabel;         //self.label是weak,不改变引用计数 self.label = @"Hello World"; [self.view addSubview:self.label];          //引用计数+1,temp的引用计数为3 //这段代码执行完后,临时变量将被释放 [tempLabel release];        //temp引用计数为2 [temp release];             //temp引用计数为1

整段话执行完后,既保证了 temp 在执行过程中过早释放,又保证了在执行完后 temp 的引用计数为1,因此是初始化 UIView 的property较为科学的方法。

本文参考了以下内容:

  • Best practice for custom UIView subview strong vs weak
  • Differences between strong and weak in Objective-C
  • Creating views programmatically Strong Vs Weak subviews in controller
  • Why is addSubview: not retaining the view?
原文  http://codingtime.me/post/posts/leng-zhi-shi/viewcontrollerzhong-de-uiview_propertyyao-she-zhi-wei-weakhuan-shi-strong
正文到此结束
Loading...