是否可以从iOS中的另一个函数调用块完成处理程序?

时间:2015-02-22 14:14:48

标签: ios swift block objective-c-blocks

我有一个附加了UITapGestureRecognizer的自定义UIView。手势识别器调用一个名为hide()的方法从超级视图中删除视图:

func hide(sender:UITapGestureRecognizer){
    if let customView = sender.view as? UICustomView{
        customView.removeFromSuperview()
    }
}

UICustomView还有一个show()方法,可以将其添加为子视图,如下所示:

func show(){
    // Get the top view controller
    let rootViewController: UIViewController = UIApplication.sharedApplication().windows[0].rootViewController!!
    // Add self to it as a subview
    rootViewController.view.addSubview(self)
}   

这意味着我可以创建一个UICustomView并将其显示为:

let testView = UICustomView(frame:frame) 
testView.show() // The view appears on the screen as it should and disappears when tapped

现在,我想将show()方法转换为一个带有完成块的方法,该方法在触发hide()函数时调用。类似的东西:

testView.show(){ success in
    println(success) // The view has been hidden
}

但要这样做,我必须从hide()方法调用show()方法的完成处理程序。 这可能还是我忽略了什么?

1 个答案:

答案 0 :(得分:11)

由于您正在实施UICustomView,所以您需要做的就是存储“完成处理程序”'作为UICustomView类的一部分。然后在调用hide()时调用处理程序。

class UICustomView : UIView {
   var onHide: ((Bool) -> ())?

   func show (onHide: (Bool) -> ()) {
     self.onHide = onHide
     let rootViewController: UIViewController = ...
     rootViewController.view.addSubview(self)
   }

   func hide (sender:UITapGestureRecognizer){
    if let customView = sender.view as? UICustomView{
        customView.removeFromSuperview()
        customView.onHide?(true)
    }
}

当然,每个UIView都有一个生命周期:viewDidAppearviewDidDisappear等。由于您的UICustomViewUIView的子类,您可以覆盖一个生命周期方法:

class UICustomView : UIView {
  // ...

  override func viewDidDisappear(_ animated: Bool) {
     super.viewDidDisappear (animated)
     onHide?(true)
  }
}

如果视图可能会在没有调用hide()但您仍希望onHide运行的情况下消失,则可能会考虑采用第二种方法。