单例模式
一个类在整个系统中有且仅有一个实例。
单例模式的作用
可以保证在程序运行过程中,一个类只有一个实例,而且该实例易于被外界访问。单例模式控制了实例个数,从而节约系统资源。
单例模式的使用场合
在整个应用程序中,共享一份资源(这份资源只需要创建初始化 1 次),一般用于工具类。例如:登陆控制器,网络数据请求,音乐播放器等一个工程需要使用多次的控制器或方法。iOS 中 UIApplication、NSFileManager、NSUserDefaults 等都是单例模式。
优点:
对实例个数进行控制,节约系统资源。
如果希望在系统中某个类的对象只能存在一个,单例模式是最好的解决方案。
单例模式中,因为类控制了实例化过程,所以类可以更加灵活修改实例化过程。
缺点:
单例对象一旦建立,对象指针是保存在静态区的。单例对象在堆中分配的内存空间,会在应用程序终止后才会被释放。
单例类无法继承,因此很难进行类的扩展。
单例不适用于变化的对象,如果同一类型的对象在不同的场景总是发生变化,单例就会引起数据的错误,不能保存彼此的状态。
单例模式的实现方式
1.第一种方式,重写+allocWithZone:方法:
+(instancetype)allocWithZone:(struct _NSZone *)zone{
static id instance = nil;
@synchronized (self) { //为了线程安全,加上互斥锁
if (instance == nil) {
instance = [super allocWithZone:zone];
}
}
return instance;
}
2.第二种方式,不用重写+allocWithZone:方法,而是直接用@synchronized 来保证线程安全,其它与上面这个方法一样
+(instancetype)shareInstance{
static id instance = nil;
//用@synchronized 来保证线程安全
@synchronized (self) {
if (instance == nil) {
instance = [[self alloc] init];
}
}
return instance;
}
3.通过 GCD 的 dispatch_once 来实现单例,同样可以在保证线程安全的前提下来实现单例
+(instancetype)sharedGCDSingleton{
static id instance = nil;
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
instance = [[self alloc] init];
});
return instance;
}
注意
为了防止别人不小心利用 alloc/init 方式创建示例,也为了防止别人故意为之,我们要保证不管用什么方式创建都只能是同一个实例对象,这就得重写 alloc 方法,实现如下:
+(instancetype)allocWithZone:(struct _NSZone *)zone
{
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
instance = [super allocWithZone:zone];
});
return instance;
}
网友评论