微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

swift单例

SwiftSingleton

tl;dr: Use theclass constantapproach if you are using Swift 1.2 or above and thenested structapproach if you need to support earlier versions.

An exploration of the Singleton pattern in Swift. All approaches below support lazy initialization and thread safety.

Issues and pull requests welcome.

Approach A: Class constant

class SingletonA {

    static let sharedInstance = SingletonA()

    init() {
        println("AAA");
    }

}

This approach supports lazy initialization because Swift lazily initializes class constants (and variables),and is thread safe by the deFinition oflet.(上述代表也实现了延迟加载技术)

Class constants were introduced in Swift 1.2. If you need to support an earlier version of Swift,use the nested struct approach below or a global constant.(早期版本支持,几乎不需要)

Approach B: nested struct

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

Here we are using the static constant of a nested struct as a class constant. This is a workaround for the lack of static class constants in Swift 1.1 and earlier,and still works as a workaround for the lack of static constants and variables in functions.

Approach C: dispatch_once

The Traditional Objective-C approach ported to Swift.

class SingletonC { var sharedInstance: SingletonC { var oncetoken: dispatch_once_t = 0 var instance: SingletonC? = nil } dispatch_once(&Static.oncetoken) { Static.instance = SingletonC() } .instance! } }

I'm fairly certain there's no advantage over the nested struct approach but I'm including it anyway as I find the differences in Syntax interesting.(使用GCD技术实现的单例模式)

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。

相关推荐