所谓单例,就是整个程序有且仅有一个实例。该类负责创建自己的对象,同时确保只有一个对象被创建
单例模式的作用主要是为了避免创建多个实例,目的是为了产生全局唯一的一个示例。此处的全局表示的是进程内部,多个进程肯定有自己多个实例,因为操作系统按照进程来划分内存。
单例又分为饿汉式和懒汉式。饿汉式则是一上来则创建对象,而懒汉式是只有使用到的时候才会创建对象。
1. 懒汉式
懒汉式的意思是: 只有到来获取对象的时候才急忙的去创建对象
2. 饿汉式
饿汉式的写法有很多种,此处使用堆创建的方式演示。 饿汉式属于线程安全。
代码实例:
#include<iostream>
using namespace std;
//懒汉式
class Singleton_lazy
{
public:
static Singleton_lazy* getInstance()
{
if(instance == NULL)
{
instance = new Singleton_lazy;
}
return instance;
}
private:
Singleton_lazy()
{
cout<<"懒汉式构造函数!"<<endl;
};
static Singleton_lazy* instance;
};
//静态成员需要在外面初始化。这里不创建对象。
Singleton_lazy* Singleton_lazy::instance = NULL;
//饿汉式
class Singleton_hungry
{
public:
static Singleton_hungry* getInstance()
{
return instance;
}
private:
Singleton_hungry()
{
cout<<"饿汉式构造函数!"<<endl;
}
static Singleton_hungry* instance;
};
//一上来即创建对象
Singleton_hungry* Singleton_hungry::instance = new Singleton_hungry();
void test()
{
//懒汉式
Singleton_lazy* lazy1 = Singleton_lazy::getInstance();
Singleton_lazy* lazy2 = Singleton_lazy::getInstance();
if(lazy1 == lazy2)
{
cout<<"懒汉式创造出一个对象"<<endl;
}
else
{
cout<<"单例模式失败,懒汉式创造出两个对象"<<endl;
}
//饿汉式
Singleton_hungry* hungry1 = Singleton_hungry::getInstance();
Singleton_hungry* hungry2 = Singleton_hungry::getInstance();
if(hungry1 == hungry2)
{
cout<<"饿汉式创造出一个对象"<<endl;
}
else
{
cout<<"单例模式失败,饿汉式创造出两个对象"<<endl;
}
}
int main()
{
test();
return 0;
}
运行结果: