使用std::UNIQUE_PTR的私有析构函数的单例
我已经使用该文档在我的程序中创建了所有单例:
http://erdani.com/publications/DDJ_Jul_Aug_2004_revised.pdf
(如果有人想知道为什么是单例,它们都是工厂,其中一些存储有关如何创建实例的全局设置)。
每一个看起来都像这样:
声明:
class SingletonAndFactory {
static SingletonAndFactory* volatile instance;
public:
static SingletonAndFactory& getInstance();
private:
SingletonAndFactory();
SingletonAndFactory(
const SingletonAndFactory& ingletonFactory
);
~SingletonAndFactory();
};
定义:
boost::mutex singletonAndFactoryMutex;
////////////////////////////////////////////////////////////////////////////////
// class SingletonAndFactory {
SingletonAndFactory* volatile singletonAndFactory::instance = 0;
// public:
SingletonAndFactory& SingletonAndFactory::getInstance() {
// Singleton implemented according to:
// "C++ and the Perils of Double-Checked Locking".
if (!instance) {
boost::mutex::scoped_lock lock(SingletonAndFactoryMutex);
if (!instance) {
SingletonAndFactory* volatile tmp = (SingletonAndFactory*) malloc(sizeof(SingletonAndFactory));
new (tmp) SingletonAndFactory; // placement new
instance = tmp;
}
}
return *instance;
}
// private:
SingletonAndFactory::SingletonAndFactory() {}
// };
抛开问题什么设计的单例是最好的(因为这会引发一场毫无意义的火焰大战)我的问题是:用std::Unique_ptr替换普通指针会有好处吗?具体地说,它会在程序退出时调用Singleton的析构函数吗?如果是这样的话,我将如何实现呢?当我尝试添加类似friend class std::unique_ptr<SingletonAndFactory>;
的内容时,由于编译器一直抱怨析构函数是私有的,所以没有成功。
我知道这在我当前的项目中无关紧要,因为没有一家工厂需要任何类型的清洁,但为了将来参考,我想知道如何实现这种行为。
解决方案
执行删除的不是unique_ptr
本身,而是删除器。因此,如果您想使用friend
方法,您必须这样做:
friend std::unique_ptr<SingletonFactory>::deleter_type;
但是,我认为不能保证默认删除程序不会将实际delete
委托给另一个函数,这会破坏这一点。
相反,您可能希望提供自己的删除程序,可能如下所示:
class SingletonFactory {
static std::unique_ptr<SingletonFactory, void (*)(SingletonFactory*)> volatile instance;
public:
static SingletonFactory& getInstance();
private:
SingletonFactory();
SingletonFactory(
const SingletonFactory& ingletonFactory
);
~SingletonFactory();
void deleter(SingletonFactory *d) { d->~SingletonFactory(); free(d); }
};
在创建函数中:
SingletonFactory* volatile tmp = (SingletonFactory*) malloc(sizeof(SingletonFactory));
new (tmp) SingletonFactory; // placement new
instance = decltype(instance)(tmp, &deleter);
相关文章