设计模式-单实例-C++Singleton类模板实现及使用
单实例类设计注意事项:
1. 构造函数私有化,拷贝构造函数及重载=操作符也私有化,暴露新的访问接口如 getInstance();
2. 推荐使用懒汉式即 getInstance()接口中new新实例且使用双重锁定,既解决多线程竟态问题又保证性能,同时还要防止某一用户delete获取到的实例导致其他用户无法正常使用;
3. 良好的设计会考虑资源回收,可以构造内嵌类Garbo及其静态对象,系统自动析构全局变量及静态成员变量时可以实现自动删除单实例对象,使用时不需再关注对象的释放;
4. 静态成员变量要类外初始化,其中 Singleton
5. 将单例类模板声明为这个类的友元; friend class Singleton
6. 通过单例类模板中 XXT* s = Singleton
参考代码
#ifndef __SINGLETON_H__
#define __SINGLETON_H__
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
template
class Singleton
{
private:
static std::mutex ms_MuxLock_Singleton;
using MuxGuard = std::lock_guard;
static T* ms_pInstance;
Singleton(const Singleton& src){(void)src;}
Singleton &operator=(const Singleton& src){(void)src;};
class Garbo
{
public:
~Garbo()
{
// std::cout<<"Singleton<"<::Garbo::~Garbo()" << std::endl;
if (Singleton::ms_pInstance)
{
delete Singleton::ms_pInstance;
Singleton::ms_pInstance = NULL;
}
}
void touch() { return; }
};
static Garbo ms_garbo;
protected:
Singleton() {
ms_garbo.touch(); //prevent optimised and no garbo instance to trigger deconstruct
}
~Singleton() {}
public:
static T* getInstance()
{
if (ms_pInstance == NULL)
{
MuxGuard mlk(ms_MuxLock_Singleton);
if (ms_pInstance == NULL)
{
ms_pInstance = new T();
}
}
return ms_pInstance;
}
};
template typename Singleton::Garbo Singleton::ms_garbo;
template std::mutex Singleton::ms_MuxLock_Singleton;
template T* Singleton::ms_pInstance = NULL;
#endif //__SINGLETON_H__
应用示例
/* class MsgSequenceID */
class MsgSequenceID:public Singleton
{
friend class Singleton;
public:
~MsgSequenceID();
uint32_t getSequenceID() {
uint32_t tmp;
{
MuxGuard g(mLock);
tmp = m_sequenceID++;
}
return tmp;
}
bool initSequenceID() { m_sequenceID = 0; return true;}
private:
MsgSequenceID();
using MuxGuard = std::lock_guard;
mutable std::mutex mLock;
uint32_t m_sequenceID;
};