我正在使用可选的闭包,但无法找到传递参数的方法。 随处搜索,尝试了所有建议,但无法让它发挥作用。
我的代码:
func DoAlert(title: String
, message: String
, actions: String
, sender: AnyObject?
, Ctlr : UIViewController
, SegueString: String?
, YesClosure: ()->() = {}
, NoClosure: ()->() = {}
, StartClosure: ()->() = {}
, EndClosure: ()->() = {}
) {
if (actions.rangeOfString("Ok") != nil {
alert.addAction(UIAlertAction(title: "OK", style: .Default ) { action -> Void in
EndClosure()
})}
} // end function
我想为Ok添加一个闭包,其中需要'self'参数。
如下所示:
// add to func doAlert:
, OkClosure: (AnyObject)->() = {}
// add to action Ok (before the EndClosure:
OkClosure(sender!)
在第一行获取错误: AnyObject不是()
的子类型如果我将AnyObject从第一行中删除,则获取错误: 无法将表达式的类型“AnyObject”转换为类型'()=> ()'
所有其他试验给我类似的'元组'错误。 如何在代码中的可选闭包中编写参数传递的代码?
答案 0 :(得分:18)
首先,使用闭包作为函数的参数,你应该这样声明它们:
func myFunc(closure: (Int) -> Void) {
// Now I can call closure like so:
let myInt = 10
closure(myInt)
}
(正如@Airspeed Velocity指出的那样,Int
周围的括号并不是严格要求的,因为只有一个参数。你是否包含它们只是个人偏好)
其次,您可以修改上一个函数以包含一个可选的闭包,如下所示:
(注意闭包周围的?
和括号表示闭包是可选的,而不是返回类型)
func myFunc(closure: ((Int) -> Void)?) {
// Now when calling the closure you need to make sure it's not nil.
// For example:
closure?(10)
}
第三,添加默认值nil,这就是您尝试使用= {}
末尾的YesClosure: ()->() = {}
,可以这样做:
func myFunc(closure: ((Int) -> Void)? = nil) {
// Still need to make sure it's not nil.
if let c = closure {
c(10)
}
}
最后,就像一个注释,你可以设置闭包的参数名称,这样可以更容易识别你在调用它时传递给闭包的内容。例如:
(注意 - value: Int
)附近需要括号
func myFunc(closure: ((value: Int) -> Void)) {
closure(value: 10)
}
最后,您可以使用typealias
。根据文件:
类型别名声明将现有类型的命名别名引入程序。
以下是如何将其与闭包一起使用的示例:
typealias MyClosureType = () -> Void
func myFunc(closure: MyClosureType) {
closure()
}
希望有所帮助!
答案 1 :(得分:0)
我想我找到了它。当我调用func时,我无法在闭包中使用参数。在func本身我需要定义使用的参数(closure:(sender:AnyObject) - > Void),确保定义变量(或作为单独的参数提供)并将它们添加到闭包调用中。
@IBAction func buttonPressed(sender: AnyObject) {
myFunc (sender, doClosure)
}
func myFunc(sender: AnyObject, closure: (sender: AnyObject) -> Void) {
// Now I can call closure like so:
closure (sender: sender)
}
func doClosure(sender: AnyObject) {
println("sender = \(sender)")
}