C单例看起来像?
我的singleton访问器方法通常是以下的一些变体:
static MyClass *gInstance = NULL;
+ (MyClass *)instance
{
@synchronized(self)
{
if (gInstance == NULL)
gInstance = [[self alloc] init];
}
return(gInstance);
}
我能做些什么来改善这一点?
另一种选择是使用+(void)initialize
方法。 从文档:
运行时发送initialize
给程序中的每个类,恰好在该类或从其继承的任何类之前,从程序中发送其第一条消息。 (因此,如果不使用类,则永远不会调用该方法。)运行时以线程安全的方式将initialize
消息发送给类。 超类在它们的子类之前收到此消息。
所以你可以做类似这样的事情:
static MySingleton *sharedSingleton;
+ (void)initialize
{
static BOOL initialized = NO;
if(!initialized)
{
initialized = YES;
sharedSingleton = [[MySingleton alloc] init];
}
}
@interface MySingleton : NSObject
{
}
+ (MySingleton *)sharedSingleton;
@end
@implementation MySingleton
+ (MySingleton *)sharedSingleton
{
static MySingleton *sharedSingleton;
@synchronized(self)
{
if (!sharedSingleton)
sharedSingleton = [[MySingleton alloc] init];
return sharedSingleton;
}
}
@end
[资源]
根据我下面的其他答案,我认为你应该这样做:
+ (id)sharedFoo
{
static dispatch_once_t once;
static MyFoo *sharedFoo;
dispatch_once(&once, ^ { sharedFoo = [[self alloc] init]; });
return sharedFoo;
}
链接地址: http://www.djcxy.com/p/20687.html
下一篇: Send and receive messages through NSNotificationCenter in Objective