单例模式的书写
ARC
// 定义一个静态变量,在程序运行过程中只有1份
static id instance;
- ( instancetype ) init
{
    static id obj = nil;
//onceToken初始为0
    static dispatch_once_t onceToken; 
  // 确保只执行一次初始化代码
dispatch_once(&onceToken, ^{
     //执行过后, onceToken变为-1,block内代码不再执行
     if ((obj = [super init]))
    {
          // 加载资源
          NSLog(@"加载资源");
    }
      });
    return obj;
}
// 重写这个方法控制内存只分配一次
+(instancetype)allocWithZone:(struct _NSZone *)zone{
    static dispatch_once_t onceToken;
 // 里面的代码只会执行1次
  dispatch_once(&onceToken, ^{
    instance = [super allocWithZone:zone];
    });
  // 返回对象
    return instance;
}
// 确保复制的对象还是同一个
- (id)copyWithZone:(NSZone *)zone
 {
   return self;
}
 // 全局访问点
+ (instancetype)sharedAudioTool 
{
   return [[self alloc] init];
}
OC 中的单例
  + (instancetype)sharedManager
 {
      static id instance;
      static dispatch_once_t onceToken;
      NSLog(@"%ld", onceToken);
      dispatch_once(&onceToken, ^{
          instance = [[self alloc] init];
      });
      return instance;
  }
根据OC单例 改写成 Swift 中的单例
static var instance: Tools?
static var token: dispatch_once_t = 0
class func sharedInstance() -> Tools
 {
  dispatch_once(&token) { () -> Void in
      instance = Tools()
  }
  return instance!
}
OC调用swift,需要#import "单例-Swift.h",其中单例为Product Name 在 Swift 中 let 本身就是线程安全的
改进过的单例代码
static let instance = Tools()
class func sharedInstance() -> Tools 
{
  return instance
}
单例其实还可以更简单
最终形态
static let sharedTools = Tools()