使用block可以方便的用来进行一些异步的操作。但是因为block的存储位置不在堆里面,直接创建在栈中(所以用copy来声明).
block在使用不会被释放。如果block内部也使用了self。那么self ->block且block->self。彼此强引用。当self需要被销毁的时候就不能被正常销毁。会造成内存泄漏。浪费系统资源。影响app性能。所以我们要避免block中的内存泄漏。
下面本文就会讲解block中造成内存泄漏的各种可能性,及其如何避免内存泄漏。
1.如何block没有作为对象被强引用那么不会产生循环引用的问题。(代码如下)
- (void)viewDidLoad {
[super viewDidLoad];
void(^block)() = ^{
[self getClick];
};
block;
}
- (void)getClick{
}
- (void)touchesBegan:(NSSet<UITouch *> *)touches withEvent:(UIEvent *)event{
[self dismissViewControllerAnimated:YES completion:^{
}];
}
- (void)didReceiveMemoryWarning {
[super didReceiveMemoryWarning];
// Dispose of any resources that can be recreated.
}
- (void)dealloc{
NSLog(@"SecondController被销毁了");
}
结果如下:Controller dismiss时被正常销毁了
2017-11-16 21:58:58.614 StrongAllocTest[3735:137371] SecondController被销毁了
2.block内部使用self的时候做了weak处理。那么也不会被强引用
代码如下
@interface SecondViewController ()
@property (nonatomic, copy) int(^block)(int , int);
@end
@implementation SecondViewController
- (void)viewDidLoad {
[super viewDidLoad];
// Do any additional setup after loading the view.
self.view.backgroundColor = [UIColor redColor];
self.block = ^(int a, int b){
[self getClick];
return a+b;
};
int a = self.block(1, 3);
}
- (void)getClick{
}
- (void)touchesBegan:(NSSet<UITouch *> *)touches withEvent:(UIEvent *)event{
[self dismissViewControllerAnimated:YES completion:^{
}];
}
- (void)didReceiveMemoryWarning {
[super didReceiveMemoryWarning];
// Dispose of any resources that can be recreated.
}
- (void)dealloc{
NSLog(@"SecondController被销毁了");
}
当SecondController被dismiss的时候没有运行dealloc方法。所以没有被正常释放。在这个地方正确的代码处理为
__weak typeof(self) weakSelf = self;
self.block = ^(int a, int b){
__strong typeof(self) strongSelf = weakSelf;
[strongSelf getClick];
return a+b;
};
结果如下
2017-11-16 22:06:47.965 StrongAllocTest[3781:140933] SecondController被销毁了
结果很清晰明了了。只要以上两点任何一点不能得到满足就不会造成循环引用。所以我们要保证代码至少保证其中一点。就可以避免循环引用了。
补充:有些时候我们会在A中调用B的方法。B的方法中带有Block。Block中可能有self。即如下的逻辑A 强引用 B
B 强引用 B的block
B的block 强引用 A
只要中间的强引用有一条不能满足就可以避免循环引用了。
代码如下
Person(B)的代码
- (void)initWithTitle:(NSString *)title andBlock:(void (^)(NSString *))blocka{
self.block = blocks;//Block被B强引用
blocka(@"dkid");
}
A的代码
self.person = [[Person alloc]init];//B被强引用
__weak typeof(self) weakSelf = self;//weak声明
[_person initWithTitle:@"dkdi" andBlock:^(NSString *a) {
[weakSelf getClick];//B的Block弱引用了A
}];
网友评论