iOS單例模式的實(shí)現(xiàn)
單例是指靜態(tài)分配的實(shí)例,而 iphone sdk 中全是這種實(shí)例,例如
[UIApplication sharedApplication] 返回一個(gè)指向代表應(yīng)用程序的單例對(duì)象的指針。[UIDevice currentDevice] 獲取一個(gè)代表所有使用硬件平臺(tái)的對(duì)象。
將類方法與單例相結(jié)合,便可以在程序的任何地方訪問(wèn)靜態(tài)實(shí)例,而無(wú)需使用指向?qū)ο蟮闹羔樆虮4嫠膶?shí)例變量。創(chuàng)建類的唯一實(shí)例(普通單例)的函數(shù)示例:
//在很多時(shí)候,我們使用某個(gè)類的唯一實(shí)例。最常見(jiàn)的就是一個(gè)程序的主類,以下是以名為 RootViewController 創(chuàng)建的一個(gè)單例函數(shù):
static RootViewController *sharedRootController = nil;
+(RootViewController *) sharedController{
@synchronized(self)
{
if (sharedRootController == nil)
{
sharedRootController = [[[self alloc] init] autorelease];
}
}
return sharedRootController;
}
+(id) allocWithZone:(NSZone *)zone
{
@synchronized(self)
{
if (sharedRootController == nil)
{
sharedRootController = [super allocWithZone:zone];
return sharedRootController;
}
}
return nil;
}
代碼說(shuō)明:
1、synchronized 這個(gè)主要是考慮多線程的程序,這個(gè)指令可以將{ } 內(nèi)的代碼限制在一個(gè)線程執(zhí)行,如果某個(gè)線程沒(méi)有執(zhí)行完,其他的線程如果需要執(zhí)行就得等著。
2、網(wǎng)上搜索的代碼,好像有一個(gè)沒(méi)有加入 autorelease,我覺(jué)得應(yīng)該需要加。因?yàn)槿绻{(diào)用的函數(shù)沒(méi)有release就麻煩了(我覺(jué)得,iOS 上的程序,對(duì)于創(chuàng)建用于函數(shù)返回值的,都應(yīng)該考慮 autorelease)。
3、allocWithZone 這個(gè)是重載的,因?yàn)檫@個(gè)是從制定的內(nèi)存區(qū)域讀取信息創(chuàng)建實(shí)例,所以如果需要的單例已經(jīng)有了,就需要禁止修改當(dāng)前單例,所以返回 nil。