你有一个具有捕获列表和参数列表的闭包吗?

时间:2015-07-20 00:42:24

标签: swift parameters closures swift2

在Swift中,如何创建一个包含捕获列表和参数的闭包?

我使用过任何一种形式的代码,但不知道如何创建一个包含参数和捕获列表的闭包。

e.g。

关闭参数列表:

myFunction {
    (x: Int, y: Int) -> Int in
    return x + y
}

关闭捕获列表:

myFunction { [weak parent = self.parent] in print(parent!.title) }

使用捕获列表的示例尝试:

class MyTest {
    var value:Int = 3

    func myFunction(f: (x:Int, y:Int) -> Int) {
        print(f(x: self.value, y: 5))
    }

    func testFunction() {
        myFunction {
            [weak self] (x, y) in   //<--- This won't work, how to specify weak self here?
            print(self.value)
            return self.value + y
        }
    }
}

1 个答案:

答案 0 :(得分:3)

您给的示例有效。要指定参数列表和捕获列表,您只需:

exampleFunctionThatTakesClosure() { [weak self] thing1, thing2 in
}

但是,通过参数列表创建弱引用意味着闭包中的self变为可选 - 因此,在使用其值之前,必须先解包(或强制解包)它。

例如,强行展开:

func testFunction() {
    myFunction {
        [weak self] (x, y) in

        print(self!.value)
        return self!.value + y
    }
}

或者:

func testFunction() {
    myFunction {
        [weak self] (x, y) in

        if let weakSelf = self {
            print(weakSelf.value)
            return weakSelf.value + y
        } else {
            return y
        }
    }
}