单例模式

WHAT 单例模式

单例模式的类图可以说是所有模式的类图中最简单的,它只有一个类!


在开发的过程中有些对象我们只需要一个,比如iPhone实时提供设备坐标的唯一硬件,CoreLocation 框架中的 CLLocationManager 类。在单例模式中单例类总是返回自己的同一个实例,它提供了对类的对象所提供的资源的全局访问点。

在使用单例模式的时候,我们首先就要考虑到创建单例对象时候的线程安全问题,在OC的代码中我们会使用 dispatch_once来保证线程安全的生成一个实例对象。


/// 个人实现一般会在.h 时候禁止调用new、init方法,防止外部调用,生成多个对象
// Singleton.h
- (instancetype)init NS_UNAVAILABLE;
+ (instancetype)new NS_UNAVAILABLE;

/// 一般OC的单例实现
+ (instancetype)shareInstance {
    static dispatch_once_t onceToken;
    static Singleton *instance;
    dispatch_once(&onceToken, ^{
        instance = [[Singleton alloc] init];
    });
    return instance;
}

/// 重写copy和mutecopy返回实例对象本身

Swift 创建单例对象

class Singleton {
    static let sharedInstance = Singleton()
}

只需一行代码,就完成了单例对象的创建,Swift中使用 static 修饰 能保证变量在多线程的情况下也能懒加载只初始化一次。

当我们需要在初始化之外执行其他设置,则可以使用闭包的方式:

class Singleton {
    static let sharedInstance: Singleton = {
        let instance = Singleton()
        // setup code
        return instance
    }()
}

let s =  Singleton.sharedInstance

你可能感兴趣的:(单例模式)