1.单例模式
在它的核心结构中只包含一个被称为单例的特殊类。通过单例模式可以保证系统中,应用该模式的一个类只有一个实例。
即一个类只有一个对象实例。
2.使用单例原因:
ios 程序(oc swift)的编程习惯。
xcode 版本 4.2 之前,手动内存管理,容易发生内存泄露,单例不用考虑这个问题。(不需要每次 alloc release操作)
xcode 版本 4.2 之后,自动内存管理,当对象大量生产,容易内存溢出,单例具有全局唯一性,只有一个实例,使用了最少的内存,避免了内存溢出问题;
3.单例优势
1.单例全局唯一,只有一个实例
2.节约内存,调用,不用多次开辟空间
3.信息共享: 因为实例是唯一的,所以属性,属性值可以共享
4.简单单例的创建(线程安全的)
#import "UserCenter.h"
static UserCenter *_mySingle = nil;
+ (instancetype)managerCenter{
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
_mySingle = [[UserCenter alloc] init];
});
return _mySingle;
}
5.单例的创建(内存安全)
#import "UserCenter.h"
static UserCenter *_mySingle = nil;
+(instancetype)shareInstance
{
if (_mySingle == nil) {
_mySingle = [[UserCenter alloc] init];
}
return _mySingle;
}
+ (instancetype)allocWithZone:(struct _NSZone *)zone
{
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
_mySingle = [super allocWithZone:zone];
});
return _mySingle;
}
- (id)copyWithZone:(NSZone *)zone
{
return self;
}
- (id)mutableCopyWithZone:(NSZone *)zone
{
return self;
}
6. vc 客户端调用
// 构建方法创建
UserCenter * center = [UserCenter managerCenter];
center.name = @"users";
center.age = 18;
// 系统方法 创建 复写了 allocwithZone 方法,所以安全
UserCenter * new = [[UserCenter alloc]init];
NSLog(@"UserCenter :name: %@,age: %d",new.name,new.age);