单例模式、工程模式

单例模式:是一种设计模式。采用这种模式设计出来的类,不论多少次创建对象,只会得到第一次创建对象时的那个对象。这样一来,单例类中常常保存的是全局的一些变量或者方法。

      OC中单例类的写法:

     ARC下:

static AZSingleton * _singleton=nil;//静态变量,存储在全局区(static区),只被初始化一次。

+(AZSingleton *)shareSingleton

{

    @synchronized(self)//线程安全,这是一种加锁的方式,确保线程安全

    {

        if (!_singleton) {

            _singleton=[[AZSingleton alloc] init];

        }

    }

    return _singleton;

}


非ARC下(手动管理内存):

static AZSingleton * _singleton=nil;

+(AZSingleton *)shareSingleton

{

    @synchronized(self)//线程安全

    {

        if (!_singleton) {

            _singleton=[[AZSingleton alloc] init];

        }

    }

    return _singleton;

}



+(instancetype)allocWithZone:(struct _NSZone *)zone//实际上就是alloc中封装的方法---开辟内存空间zone

{

    if (!_singleton) {

        _singleton=[super allocWithZone:zone];

        return _singleton;

    }

    return nil;

}


//如果是非ARC方式(即手动管理内存),那么既然是单例,那么也不能让它retain+1release-1autorelease

-(instancetype)retain   

{

    return _singleton;

}

-(instancetype)autorelease

{

    return _singleton;

}

-(oneway void)release

{}




你可能感兴趣的:(单例模式、工程模式)