分析
在C++11标准中,要求局部静态变量初始化具有线程安全性。描述(在标准草案的6.7节中):
such a variable is initialized the first time control passes through its declaration; such a variable is considered initialized upon the completion of its initialization. If the initialization exits by throwing an exception, the initialization is not complete, so it will be tried again the next time control enters the declaration. If control enters the declaration concurrently while the variable is being initialized, the concurrent execution shall wait for completion of the initialization. If control re-enters the declaration recursively while the variable is being initialized, the behavior is undefined.
标准关于局部静态变量初始化,有这么几点要求:
- 变量在代码第一次执行到变量声明的地方时初始化。
- 初始化过程中发生异常的话视为未完成初始化,未完成初始化的话,需要下次有代码执行到相同位置时再次初始化。
- 在当前线程执行到需要初始化变量的地方时,如果有其他线程正在初始化该变量,则阻塞当前线程,直到初始化完成为止。
- 如果初始化过程中发生了对初始化的递归调用,则视为未定义行为。
单例类
因此我们可以很容易实现一个线程安全的单例类:
class Singleton
{
public:
static Singleton* instance()
{
static Singleton ins;
return &ins;
}
private:
Singleton(){}
};
上述单例模式的实现中,在instance函数中声明static的局部变量,因为静态变量在程序中只会分配一次内存,保证了实例的唯一性,并且作为局部变量只有在程序第一次调用的时候才会初始化,也实现了延迟加载,而且因为不是指针变量,在程序结束时会自动回收内存。
单例模板
template<typename T>
class Singleton
{
public:
static T* instance()
{
static T ins;
return &ins;
}
//如果要让继承类访问,就不要实现此构造函数
private:
Singleton(){}
};
当我们需要这个单例类模板时,只需要在自己类里通过friend添加为友元即可。
demo:
https://github.com/fengxieye/Qt-demo/tree/master/singleton