一尘不染

在Swift中使用dispatch_once单例模型

swift

我正在尝试制定一个合适的单例模型以在Swift中使用。到目前为止,我已经能够获得一个非线程安全模型,其工作方式如下:

class var sharedInstance: TPScopeManager {
    get {
        struct Static {
            static var instance: TPScopeManager? = nil
        }

        if !Static.instance {
            Static.instance = TPScopeManager()
        }

        return Static.instance!
    }
}

在静态结构中包装单例实例应该允许一个不与单例实例冲突的单实例,而无需复杂的命名方案,并且应该使事情变得相当私有。但是,显然,此模型不是线程安全的。所以我试图添加dispatch_once到整个事情:

class var sharedInstance: TPScopeManager {
    get {
        struct Static {
            static var instance: TPScopeManager? = nil
            static var token: dispatch_once_t = 0
        }

        dispatch_once(Static.token) { Static.instance = TPScopeManager() }

        return Static.instance!
    }
}

但是我在dispatch_once网上遇到了一个编译器错误:

无法将表达式的类型“无效”转换为类型“()”

我尝试了几种不同的语法变体,但它们似乎都具有相同的结果:

dispatch_once(Static.token, { Static.instance = TPScopeManager() })

dispatch_once使用Swift
的正确用法是什么?最初,我认为是由于()错误消息中的问题而导致的问题所在,但是我越看越多,则认为获得dispatch_once_t正确定义的问题就越多。


阅读 928

收藏
2020-07-07

共1个答案

一尘不染

tl; dr: 如果使用的是Swift 1.2或更高版本,请使用 类常量 方法;如果需要支持早期版本,请使用 嵌套的struct 方法。

根据我在Swift中的经验,有三种方法可以实现支持延迟初始化和线程安全的Singleton模式。

类常数

class Singleton  {
   static let sharedInstance = Singleton()
}

这种方法支持延迟初始化,因为Swift会延迟地初始化类常量(和变量),并且通过的定义是线程安全的let。现在,这是实例化单例的官方推荐方法

在Swift 1.2中引入了类常量。如果您需要支持Swift的早期版本,请使用下面的嵌套struct方法或全局常量。

嵌套结构

class Singleton {
    class var sharedInstance: Singleton {
        struct Static {
            static let instance: Singleton = Singleton()
        }
        return Static.instance
    }
}

在这里,我们将嵌套结构的静态常量用作类常量。这是在Swift
1.1及更早版本中缺少静态类常量的解决方法,并且仍然可以在函数中缺少静态常量和变量的情况下使用。

一次派遣

传统的Objective-C方法已移植到Swift。我可以肯定地说,嵌套结构方法没有任何优势,但是我还是把它放在这里,因为我发现语法上的差异很有趣。

class Singleton {
    class var sharedInstance: Singleton {
        struct Static {
            static var onceToken: dispatch_once_t = 0
            static var instance: Singleton? = nil
        }
        dispatch_once(&Static.onceToken) {
            Static.instance = Singleton()
        }
        return Static.instance!
    }
}

请参阅此GitHub项目进行单元测试。

2020-07-07