3

这里我有一些关闭强引用循环的例子。如果我将一个闭包分配给一个存储的属性,我可以使用一个闭包捕获列表来使捕获的引用无主/弱。但是,如果我将方法分配给存储的属性闭包或将方法分配给外部范围内的闭包,我将无法使用捕获列表。

在最后两种情况下,我该怎么做才能删除参考循环?

使用仅闭包的捕获列表创建和避免强引用循环的示例

internal class ClosureClass {
    internal let p1: String
    internal lazy var p2: () -> String = {
        [unowned self] // if you comment this out there is a strong reference cycle
        () -> String in
        return self.p1
    }

    internal init() {
        self.p1 = "Default value of ClosureClass"
    }

    deinit {
        print("Object with property '\(self.p1)' is being deinitialized")
    }
}
print("Test 'Closure with strong reference to self':")
var cc: ClosureClass? = ClosureClass.init()
cc!.p2() // lazy need to call it once, else it will not be initiliazed
cc = nil

使用方法闭包创建强引用循环的示例

internal class MethodToClosureClass {

    internal let p1: String
    internal lazy var p2: () -> String = method(self) // Why not self.method ? Will create a strong reference cycle, but I can not set the reference to weak or unowned like in closures with the closure capture list

    internal init() {
        self.p1 = "Default value of MethodToClosureClass"
    }

    internal func method() -> String {
        //      [unowned self] in
        return self.p1
    }

    deinit {
        print("Object with property '\(self.p1)' is being deinitialized")
    }
}
print("Test 'Set closure with method intern':")
var m2cc: MethodToClosureClass? = MethodToClosureClass.init()
m2cc!.p2() // lazy need to call it once, else it will not be initiliazed
m2cc = nil

通过从外部方法设置闭包来创建强引用循环的示例

internal class MethodClass {
    internal let p1: String
    internal var p2: () -> String = {
        return ""
    }

    internal init() {
        self.p1 = "Default value of MethodClass"
    }

    internal func method() -> String {
        //      [unowned self] in
        return self.p1
    }

    deinit {
        print("Object with property '\(self.p1)' is being deinitialized")
    }
}
print("Test 'Set closure with method extern':")
var mc: MethodClass? = MethodClass.init()
var method: () -> String = mc!.method // will create a strong reference
mc!.p2 = method
mc = nil

输出

测试“强烈引用自我的闭包”:

正在取消初始化具有属性“ClosureClass 的默认值”的对象

测试“使用方法实习生设置闭包”:

测试“使用外部方法设置闭包”:

4

1 回答 1

3

self.method只是一个用于创建闭包的语法糖(使用默认的捕获模式,这很强大){ () in self.method() }:. 如果您想使用显式捕获列表,请不要使用语法糖——显式创建一个闭包(无论如何它都是这样做的):

{ [unowned self] () in self.method() }
于 2016-10-09T18:30:34.970 回答