信息安全
* Singleton.cpp * 采用延迟加载的方式,对于copy constructor、operator= 明确采用=delete声明 * 对于线程安全,传统的DCLP(Double-Checked Locking Pattern)存在的问题是 * 在双重检查中的读、写操作存在线程不安全 * 对于 instance_ = new Singleton; * 这条语句实际上做了三件事,第一件事申请一块内存,第二件事调用构造函数, * 第三件是将该内存地址赋给instance_。 * 但是不同的编译器表现是不一样的。可能先将该内存地址赋给instance_, * 然后再调用构造函数。这是线程A恰好申请完成内存,并且将内存地址赋给instance_, * 但是还没调用构造函数的时候。线程B执行到语句1,判断instance_此时不为空, * 则返回该变量,然后调用该对象的函数,但是该对象还没有进行构造。 * 使用std::call_once使得函数可以线程安全的只调用一次 * 使用了unique_ptr控制对象析构 * 使用了变参数模板使得单例对象可接受多个参数 * */#include<memory> #include<mutex>template<typename T>class Singleton{public: template<typename... Args> static T* instance(Args&&...args) {std::call_once(flag_, [& { instance.reset(new T(std::forward<Args>(args)...);});return instance; }private: Singleton() = default; ~Singleton() = default; Singleton(const Singleton&) = delete; Singleton& operator=(const Singleton&) = delete;private: static std::unique_ptr<T*> instance; static std::once_flag flag_;};template<typename T>T* Singleton<T>::instance = nullptr;template<typename T>std::once_flag Singleton<T>::flag_;[*]1
页:
[1]