在iOS开发中单例模式是一种非常常见的模式,虽然我们自己实现的比较少,但是,系统却提供了不少的到来模式给我们用,比如最常见的UIApplication,Notification等,
那么这篇文章就简单介绍一下,我们开发中如果想要实现单例模式要怎么去实现!
单例模式顾名思义就是只有一个实例,它确保一个类只有一个实例,并且自行实例化并向整个系统提供这个实例。它经常用来做应用程序级别的共享资源控制。这个模式使用频率非常高,通过一个单例类,可以实现在不同窗口之间传递数据。
在objective-c(MRC)中要实现一个单例类,至少需要做以下四个步骤:
- 1、为单例对象实现一个静态实例,并初始化,然后设置成nil,
- 2、实现一个实例构造方法检查上面声明的静态实例是否为nil,如果是则新建并返回一个本类的实例,
- 3、重写allocWithZone方法,用来保证其他人直接使用alloc和init试图获得一个新实例的时候不产生一个新实例,
- 4、适当实现allocWitheZone,copyWithZone,release和autorelease
例子:为RootViewController创建一个单例函数:
代码如下,可直接拷贝到头文件中
1 #define singleton_h(name) +(instancetype)shared##name 2 # if __has_feature(objc_arc) //ARC 3 4 #define singleton_m(name) 5 static id _instance; 6 +(id)allocWithZone:(struct _NSZone *)zone 7 { 8 static dispatch_once_t onceToken; 9 dispatch_once(&onceToken, ^{10 _instance = [super allocWithZone:zone];11 });12 return _instance;13 }14 15 +(instancetype)shared##name16 {17 static dispatch_once_t onceToken;18 dispatch_once(&onceToken, ^{19 _instance = [[self alloc] init];20 });21 return _instance;22 }23 24 +(id)copyWithZone:(struct _NSZone *)zone25 {26 return _instance;27 } 28 #else //非ARC 29 #define singleton_m(name) 30 static id _instance;31 +(id)allocWithZone:(struct _NSZone *)zone32 {33 static dispatch_once_t onceToken;34 dispatch_once(&onceToken, ^{35 _instance = [super allocWithZone:zone];36 });37 return _instance;38 }39 40 +(instancetype)shared##name41 {42 static dispatch_once_t onceToken;43 dispatch_once(&onceToken, ^{44 _instance = [[self alloc] init];45 });46 return _instance;47 }48 49 +(id)copyWithZone:(struct _NSZone *)zone50 {51 return _instance;52 }53 -(oneway void)release54 {55 56 }57 -(instancetype)autorelease58 {59 return _instance;60 }61 -(instancetype)retain62 {63 return _instance;64 }65 -(NSUInteger)retainCount66 {67 return 1;68 }
但是在非ARC中也就是MRC中实现的方式却不一样,我们需要做对应的内存管理。
MRC要重写四个方法:
1 -(oneway void)release 2 3 { 4 5 } 6 7 -(instancetype)autorelease 8 9 { 10 11 return self; 12 13 } 14 15 -(instancetype)retain{ 16 17 return self; 18 19 } 20 21 -(NSUInteger)retainCount{ 22 23 return 1; 24 25 }