oc版
__block: 在 block 里面需要改变外部变量的值就需要添加__block.
__weak: 弱引用,防止循环引用
__strong: 相当于声明一个局部变量, 在 block 使用完之后才会释放. 也就是说保证在 block 调用完之前, 对象不会被释放
- (void)viewDidLoad {
[super viewDidLoad];
// @Strongify,@Weakify主要是在block中使用.
// 因为block一般都在对象内部声明.. 如果在block内部使用了当前对象的属性,就会造成循环引用(block拥有当前对象的地址,而当前对象拥有block的地址),而引起内存泄露,block和当前对象都无法释放.
//
// @weakify(self) 将当前对象声明为weak.. 这样block内部引用当前对象,就不会造成引用计数+1可以破解循环引用
//
// @strongify(self) 相当于声明一个局部的strong对象,等于当前对象.可以保证block调用的时候,内部的对象不会释放
// Do any additional setup after loading the view.
self.view.backgroundColor = [UIColor redColor];
__weak typeof(self) weakself = self;
__block NSInteger index = 0;
self.testBlock = ^{
index ++;
//相当于声明一个局部的strong对象,等于当前对象.可以保证block调用的时候,内部的对象不会释放
__strong typeof(self) strongself = weakself;
dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(2 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
[strongself test];
});
};
NSLog(@"index = %ld",index);
}
-(void)test {
NSLog(@"strongself生效了-----");
}
//模拟__strong 的使用场景.dissmiss 之后 block 内部延迟 2 秒. 如果不适用__strong. self = nil. 加上了之后才会方法调用成功
-(void)touchesBegan:(NSSet<UITouch *> *)touches withEvent:(UIEvent *)event
{
[self.navigationController dismissViewControllerAnimated:false completion:nil];
if (self.testBlock) {
self.testBlock();
}
}
swift版
swift 里面如何使用__strong呢,其实也是有的. 如下面代码:
class TestSwiftViewController: UIViewController {
var testBlock = {}
override func viewDidLoad() {
super.viewDidLoad()
view.backgroundColor = .red
testBlock = { [weak self] in
//关键代码 if let strongSelf = self strongSelf 就是一个临时变量. 在 block 执行完之前不会释放.
if let strongSelf = self {
DispatchQueue.main.asyncAfter(deadline: .now() + 2) {
strongSelf.test()
}
}
}
}
func test() {
print("swift 输出了")
}
deinit {
print("释放了")
}
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
navigationController?.dismiss(animated: false, completion: nil)
self.testBlock()
}
}