ARC and UIAlertView: unrecognized selector sent to instance
将cell作为代理,当cell被释放,出现的crash问题。
1.NSObject* obj = [[NSObject alloc] init];
控制台,打印对象:
打印对象,会调用description方法,默认返回<类名: 地址>。
来自博客:iOS 常见 Crash 及解决方案
2.背景:
在自定义TableViewCell类中:
点击cell上的某个按钮,弹出AlertView。
点击事件中,初始化这个alertView,调用alertView自定义初始化方法(initWithFrame:delegate:self),传递self即Cell,设置代理。
在AlertView类中:
声明协议,并有三个协议方法如rightBtnClicked:等
使用前设置代理,在alertView,alloc的时候,设置的代理self.delegate = xxxCell
点击如右边的button,触发事件
- (void)btnClicked:(UIButton *)btn
{
[self.delegate rightBtnClicked:btn] // crash,此时delegate已经被释放了
}
实际上就是cell对象已经被释放,即delegate被dealloc了。指针没有置空,这时再访问这个指针指向的内存,就会 Crash。
无法用if (nil = delegate)判断delegate是否已经被dealloc掉,因为被dealloc之后,delegate对象也不是空的,这个时候delegate可能已经是野指针了。
3.解决办法。
可以在cellforrow里判断,在delegate是被释放了的情况,重新赋值,设置代理。
调用者在对象销毁时未将delegate置为nil,delegate将变成野指针,而导致程序挂掉。设置nil。
weak,assign。我们的delegate,在arc中用weak
当时解决问题参考的博文:
1.ios - ARC and UIAlertView: unrecognized selector sent to instance - Stack Overflow
2.ios 自动内存管理 ARC - Aimy的个人空间 - 开源中国社区
原文如下:
今天在公司爆出一个 BUG,导致5000+crash.
大致是 UIKit 中的 delegate 访问了已经释放了的界面,也就是使用了野指针导致 crash.
回来演示了一下发现
@property (nonatomic, assign) id delegate;//1
@property (nonatomic, weak) id delegate;//2
大部分的 UIKit 的 delegate 都是如1的声明
因为 ios 在5之前是没有 ARC 的,为了兼容所以写的都是 assign
那么 assign 与 weak 有什么区别呢?
__strong NSString *yourString = [[NSString alloc] initWithUTF8String:"your string"];
__weak NSString *myString = yourString;
yourString = nil;
__unsafe_unretained NSString *theirString = myString;
//现在所有的指针都为nil
weak的特性,如果指向的内存被释放了,则自动指向 nil;
所以使用 weak 是不会有野指针的
而 assign 和unsafe_unretained,永远指向某内存地址,如果该内存被释放了,自己就会成为野指针
如下
__strong NSString *yourString = @"Your String";
__weak NSString *myString = yourString;
__unsafe_unretained NSString *theirString = myString;
yourString = nil;
//现在yourString与myString的指针都为nil,而theirString不为nil,但是是野指针。
所以我们在使用 UIKit 中的 delegate 的时候,要避免响应 delegate 的VC,或者 View 之类的实例被提前释放了,而导致 crash
而我们自己的 delegate 可以直接写成 weak 的,既避免了循环引用,又不会产生野指针.
3.MRC下delegate 野指针问题 - James.Y - 博客园
在全局断点中定位到出问题的点上,竟然是delegate回调的地方出现了问题!
if(self.delegate && [self.delegate respondsToSelector:@selector(test:)]) {
[self.delegate test:nil];
}