快速关闭存储为变量会导致内存泄漏

时间:2018-08-01 09:06:57

标签: ios iphone swift memory-leaks retain-cycle

在将闭包定义为变量时,我有一个保留周期。

变量定义如下:

public class MyCell: UICollectionViewCell {
    public var callback: ((MyCell)->Void)?
}

如果我使用委托而不是闭包,则保留周期消失了,但是我想知道如何为将来的情况用闭包定义它。

我试图将回调变量设置为weak,但是,正如我想的那样,weak属性只能应用于类和类绑定的协议类型。

编辑

用法:

class CustomController: UIViewController {
   private func onActionOccurs(_ cell: MyCell) {
       cell.backgroundColor = .red // For example
   }

   // After dequeuing the cell:
   {
       cell.callback = onActionOccurs(_:)
   }
}

谢谢

1 个答案:

答案 0 :(得分:3)

如果您不需要使用self,则可以使用单元格本身,并像这样修改单元格中的闭包实现

public class MyCell: UICollectionViewCell {
    public var callback: (()->Void)?
}

然后您就可以使用它了,就像这个例子

class CustomController: UIViewController {
   private func onActionOccurs(_ cell: MyCell) {
       cell.backgroundColor = .red // For example
   }

   // After dequeuing the cell:
   {
       cell.callback = {
         cell.backgroundColor = .red // For example
        }
   }
}

但是如果您需要使用ViewController方法,则需要使用[weak self]捕获列表 如果需要使用UIViewController方法

class CustomController: UIViewController {
   private func onActionOccurs(_ cell: MyCell) {
       cell.backgroundColor = .red // For example
   }

   // After dequeuing the cell:
   {
       cell.callback = { [weak self] in
         guard self != nil else {
            return
         }

         self!.viewControllerMethod()
        }
   }
}