关于如何使用捕获列表避免引用循环的困惑

Confusion Regarding How to Use Capture Lists to Avoid a Reference Cycle

我的自定义 UIViewController subclass 有一个存储闭包 属性。闭包签名被定义为采用 class:

相同类型的单个参数
class MyViewController {

    var completionHandler : ((MyViewController)->(Void))?

    // ...
}

...想法是,对象将自身作为处理程序的参数传回,有点 like the UIAlertAction initializer

此外,为了方便起见,我有一个工厂(-ish)class 方法:

class func presentInstance(withCompletionHandler handler:((MyViewController)->(Void)))
{
   // ...
}

...执行以下操作:

  1. 创建视图控制器的实例,
  2. 将完成处理程序分配给 属性、
  3. 在调用时从恰好是 top/root 视图控制器的任何地方以模态方式呈现它。

我的视图控制器肯定在泄漏: 我在 deinit() 上设置了一个断点,但执行从未命中它,即使在我完成视图控制器之后也是如此它被驳回了。

我不确定应该如何或在何处指定捕获列表以避免循环。我遇到的每个示例似乎都将它放在定义闭包主体的位置,但我无法编译我的代码。

  1. 我在哪里声明关闭属性? (怎么样?)

    var completionHandler : ((MyViewController)->(Void))?
    // If so, where does it go?
    
  2. 在哪里声明闭包参数?

    class func presentInstance(withCompletionHandler handler:((MyViewController)->(Void)))
    {
    // Again, where could it go?
    
  3. 我在哪里调用上面的函数并传递闭包体?

    MyViewController.presentInstance(withCompletionHandler:{
        [unowned viewController] viewController in 
    
        // ...
    })
    // ^ Use of unresolved identifier viewController
    // ^ Definition conflicts with previous value
    
  4. 我实际上 调用 闭包,朝向 self? None 个将编译:

    self.completionHandler?(unowned self)
    self.completionHandler?([unowned self] self)
    self.completionHandler?([unowned self], self)
    

好吧,原来我的视图控制器被一个块保留了,但不是我想的那个:

class MyViewController
{
    deinit(){
        print("Deinit...")
    }

    // ...

    @IBAction func cancel(sender:UIButton)
    {
        completionHandler(self) 
        // View controller is dismissed, AND
        // deinit() gets called.     
    }

    @IBAction func punchIt(sender: UIButton)
    {
        MyWebService.sharedInstance.sendRequest(    
            completion:{ error:NSError? in

                 self.completionHandler(self)  
                 // View controller is dismissed, BUT
                 // deinit() does NOT get called. 
            }
        )
    }

...所以是传递给 MyWebService.sharedInstance.sendRequest() 的闭包使我的视图控制器保持活动状态。我通过添加这样的捕获列表来修复它:

MyWebService.sharedInstance.sendRequest(    
            completion:{ [unowned self] error:NSError? in

但是,我仍然不太明白为什么传递给 Web 服务 class、执行一次并处置的短暂完成处理程序是让我的视图控制器保持活动状态。该闭包未作为 属性 存储在任何地方,应该在退出后立即释放,对吗?

我一定是漏掉了什么。我想我还没有完全考虑 portals 闭包。