单例模式的实实现(ACR&MRC)
在iOS开发中单例模式是一种非常常见的模式,虽然我们自己实现的比较少,但是,系统却提供了不少的到来模式给我们用,比如最常见的UIApplication,Notification等,
那么这篇文章就简单介绍一下,我们开发中如果想要实现单例模式要怎么去实现!
单例模式顾名思义就是只有一个实例,它确保一个类只有一个实例,并且自行实例化并向整个系统提供这个实例。它经常用来做应用程序级别的共享资源控制。这个模式使用频率非常高,通过一个单例类,可以实现在不同窗口之间传递数据。
在objective-c(MRC)中要实现一个单例类,至少需要做以下四个步骤:
- 1、为单例对象实现一个静态实例,并初始化,然后设置成nil,
- 2、实现一个实例构造方法检查上面声明的静态实例是否为nil,如果是则新建并返回一个本类的实例,
- 3、重写allocWithZone方法,用来保证其他人直接使用alloc和init试图获得一个新实例的时候不产生一个新实例,
- 4、适当实现allocWitheZone,copyWithZone,release和autorelease
例子:为RootViewController创建一个单例函数:
代码如下,可直接拷贝到头文件中
#define singleton_h(name) +(instancetype)shared##name # if __has_feature(objc_arc) //ARC #define singleton_m(name) \ static id _instance;\ +(id)allocWithZone:(struct _NSZone *)zone\ {\ static dispatch_once_t onceToken;\ dispatch_once(&onceToken, ^{\ _instance = [super allocWithZone:zone];\ });\ return _instance;\ }\ \ +(instancetype)shared##name\ {\ static dispatch_once_t onceToken;\ dispatch_once(&onceToken, ^{\ _instance = [[self alloc] init];\ });\ return _instance;\ }\ \ +(id)copyWithZone:(struct _NSZone *)zone\ {\ return _instance;\ } #else //非ARC #define singleton_m(name) \ static id _instance;\ +(id)allocWithZone:(struct _NSZone *)zone\ {\ static dispatch_once_t onceToken;\ dispatch_once(&onceToken, ^{\ _instance = [super allocWithZone:zone];\ });\ return _instance;\ }\ \ +(instancetype)shared##name\ {\ static dispatch_once_t onceToken;\ dispatch_once(&onceToken, ^{\ _instance = [[self alloc] init];\ });\ return _instance;\ }\ \ +(id)copyWithZone:(struct _NSZone *)zone\ {\ return _instance;\ }\ -(oneway void)release\ {\ \ }\ -(instancetype)autorelease\ {\ return _instance;\ }\ -(instancetype)retain\ {\ return _instance;\ }\ -(NSUInteger)retainCount\ {\ ;\ }
但是在非ARC中也就是MRC中实现的方式却不一样,我们需要做对应的内存管理。
MRC要重写四个方法:
-(oneway void)release { } -(instancetype)autorelease { return self; } -(instancetype)retain{ return self; } -(NSUInteger)retainCount{ ; }