一、 預(yù)備知識(shí) 首先解決一個(gè)問(wèn)題“如何訪問(wèn)私有靜態(tài)成員變量”
- 定義并初始化私有靜態(tài)成員變量x
#include<iostream>
using namespace std;
class A{
private:
static int x;
}
int A::x = 1;
- 在main函數(shù)中通過(guò)類(lèi)來(lái)直接訪問(wèn)會(huì)出錯(cuò)
#include<iostream>
using namespace std;
class A{
private:
static int x;
};
int A::x = 1;
void main(){
cout << A::x;
return;
}
error C2248: “A::x”: 無(wú)法訪問(wèn)private 成員(在“A”類(lèi)中聲明)
- 只能通過(guò)公有函數(shù)來(lái)訪問(wèn)
#include<iostream>
using namespace std;
class A{
private:
static int x;
public:
int getx(){
return xx;
}
};
int A::x = 1;
void main(){
A a;
cout << a.getx();
return;
}
二 單例模式
單例模式的動(dòng)機(jī)是讓類(lèi)自身負(fù)責(zé)保存它的唯一實(shí)例蒜鸡,這個(gè)類(lèi)可以保證沒(méi)有其他實(shí)例被
創(chuàng)建胯努,并且它提供一個(gè)訪問(wèn)該實(shí)例的方法牢裳。
解決方法:1、類(lèi)的定義中含有一個(gè)該類(lèi)的靜態(tài)私有對(duì)象叶沛;
靜態(tài)對(duì)象屬于類(lèi)蒲讯,由類(lèi)保存。
私有化的意義在于只能通過(guò)接口去訪問(wèn)灰署,否則在飽漢模式下會(huì)出現(xiàn)對(duì)象為空的現(xiàn)象判帮。如
#include<iostream>
using namespace std;
class Singleton{
private:
Singleton(){};
public:
static Singleton *single;
public:
static Singleton *GetSingleton(){
if(single == NULL){
single = new Singleton;
}
return single;
}
};
Singleton* Singleton::single = NULL;
void main(){
Singleton *s2 = Singleton::single;
Singleton *s1 = Singleton::GetSingleton();
if(s1 == s2){
cout<<"yes"<<endl;
}else{
cout<<"NO"<<endl;
}
}
其中s2為NULL;
2溉箕、私有化構(gòu)造函數(shù)脊另;
3、提供一個(gè)靜態(tài)的公有函數(shù)用于創(chuàng)建或獲取自身的靜態(tài)私有對(duì)象约巷。
如果不是這樣偎痛,就需要實(shí)例化對(duì)象來(lái)調(diào)用函數(shù)進(jìn)行這些操作,用一個(gè)對(duì)象去獲取另一個(gè)唯一的對(duì)象 明顯是搞笑的独郎。 見(jiàn)章節(jié)一踩麦。
三 多種實(shí)現(xiàn)方式
1逮京、 飽漢模式
#include<iostream>
using namespace std;
class Singleton{
private:
Singleton(){}; //私有化構(gòu)造函數(shù)
static Singleton *single; //私有靜態(tài)對(duì)象
public:
static Singleton *GetSingleton(){ //公有靜態(tài)返回函數(shù)
if(single == NULL){
single = new Singleton;
}
return single;
}
};
Singleton* Singleton::single = NULL;
2祠锣、 線程安全懶漢模式
#include<iostream>
using namespace std;
class Singleton{
private:
Singleton(){};
public:
static Singleton *single;
public:
static Singleton *GetSingleton(){
if(single == NULL){ //注意是雙重判斷 防止每次訪問(wèn)都有加鎖
lock();
if(single == NULL)
single = new Singleton;
unlock();
}
return single;
}
};
Singleton* Singleton::single = NULL;
3、 餓漢模式
#include<iostream>
using namespace std;
class Singleton{
private:
Singleton(){};
static Singleton* single;
public:
static Singleton* get(){
return single;
}
};
Singleton* Singleton::single = new Singleton();