哥的单例是伪的还是真的有图为证http://www.jianshu.com/p/272ce6462dea
IOS单例模式(Singleton)
顾名思义,单例,即是在整个项目中,这个类的对象只能被初始化一次。
直接上代码--ARC中单例模式的实现
.h文件
#import <Foundation/Foundation.h>
@interface MySingle : NSObject
+(instancetype)sharedFoot;
@end
.m文件
步骤:
1.一个静态变量_inastance
2.重写allocWithZone, 在里面用dispatch_once, 并调用super allocWithZone
3.自定义一个sharedXX, 用来获取单例. 在里面也调用dispatch_once, 实例化_instance
-------------------------------可选--------------------------------
4.如果要支持copy. 则(先遵守NSCopying协议)重写copyWithZone, 直接返回_instance即可.
#import "MySingle.h"
@implementation MySingle
/**第1步: 存储唯一实例*/
static MySingle * _instance;
/**第2步: 分配内存孔家时都会调用这个方法. 保证分配内存alloc时都相同*/
//调用dispatch_once保证在多线程中也只被实例化一次
+(id)allocWithZone:(struct _NSZone *)zone{
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
_instance = [super allocWithZone:zone];
});
return _instance;
}
/**第3步: 保证init初始化时都相同*/
+(instancetype)sharedFoot{
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
_instance = [[MySingle alloc] init];
});
return _instance;
}
/**第4步: 保证copy时都相同*/
-(id)copyWithZone:(NSZone *)zone{
return _instance;
}
在需要的地方调用--打印地址是一样的--这样单例就创建完成(比较严谨的写法)
MySingle * one = [[MySingle alloc]init];
MySingle * two = [MySingle sharedFoot];
NSLog(@"%p-----%p",one,two);
如果转载请注明转于:阿龍飛
网友评论