一般的なシングルトンを実装しようとする次のクラスがあります。
struct BaseObject
{
virtual ~BaseObject() {}
};
class _helper
{
private:
template<typename T> friend class Singleton;
set<BaseObject*> _s;
static _helper& _get()
{
static _helper t;
return t;
}
_helper()
{
cout<<" _helper ctor"<<endl;
}
~_helper()
{
cout<<" _helper dtor"<<endl;
//assert(_s.empty());
}
};
// Singleton<foo>::Instance() returns a unique instance of foo
template <typename T>
class Singleton : virtual private T
{
public:
static T& Instance()
{
static Singleton<T> _T;
return _T;
}
private:
Singleton()
{
cout<<"inserting into helper "<<typeid(T).name()<<" ptr "<<this<<endl;
assert(!_helper::_get()._s.count(this));
_helper::_get()._s.insert(this);
}
~Singleton()
{
cout<<"erasing from helper "<<typeid(T).name()<<" ptr "<<this<<endl;
assert(_helper::_get()._s.count(this));
_helper::_get()._s.erase(this);
}
};
Singleton< bar>::Instance()
を呼び出してから を呼び出すとSingleton< foo>::Instance()
、次の出力が表示されます。
inserting into helper 3bar ptr 0x509630
_helper ctor
inserting into helper 3foo ptr 0x509588
erasing from helper 3foo ptr 0x509588
erasing from helper 3bar ptr 0x509630
_helper dtor
ただし、場合によっては、次のように表示されます。
inserting into helper 3bar ptr 0x509630
_helper ctor
inserting into helper 3foo ptr 0x509588
erasing from helper 3bar ptr 0x509630
_helper dtor
erasing from helper 3foo ptr 0x509588
bar
2 番目のケースでは、それらが構築されたのとfoo
同じ順序で破壊されたことに注意してください。これは、foo
およびbar
シングルトンが共有ライブラリ (.so) 内で静的参照としてインスタンス化されている場合に発生するようです。
static bar& b = Singleton<bar>::Instance();
static foo& f = Singleton<foo>::Instance();
なぜそれがそれをするのでしょうか?