この質問(2年後)には、ユーザーが理解できるshared_ptrの非常に単純な実装を使用して回答します。
最初に、いくつかのサイドクラス、shared_ptr_base、sp_counted_base sp_counted_impl、checked_deleterに行きます。これらの最後はテンプレートです。
class sp_counted_base
{
public:
sp_counted_base() : refCount( 1 )
{
}
virtual ~sp_deleter_base() {};
virtual void destruct() = 0;
void incref(); // increases reference count
void decref(); // decreases refCount atomically and calls destruct if it hits zero
private:
long refCount; // in a real implementation use an atomic int
};
template< typename T > class sp_counted_impl : public sp_counted_base
{
public:
typedef function< void( T* ) > func_type;
void destruct()
{
func(ptr); // or is it (*func)(ptr); ?
delete this; // self-destructs after destroying its pointer
}
template< typename F >
sp_counted_impl( T* t, F f ) :
ptr( t ), func( f )
private:
T* ptr;
func_type func;
};
template< typename T > struct checked_deleter
{
public:
template< typename T > operator()( T* t )
{
size_t z = sizeof( T );
delete t;
}
};
class shared_ptr_base
{
private:
sp_counted_base * counter;
protected:
shared_ptr_base() : counter( 0 ) {}
explicit shared_ptr_base( sp_counter_base * c ) : counter( c ) {}
~shared_ptr_base()
{
if( counter )
counter->decref();
}
shared_ptr_base( shared_ptr_base const& other )
: counter( other.counter )
{
if( counter )
counter->addref();
}
shared_ptr_base& operator=( shared_ptr_base& const other )
{
shared_ptr_base temp( other );
std::swap( counter, temp.counter );
}
// other methods such as reset
};
次に、新しく作成されたものへのポインタを返すmake_sp_counted_implと呼ばれる2つの「フリー」関数を作成します。
template< typename T, typename F >
sp_counted_impl<T> * make_sp_counted_impl( T* ptr, F func )
{
try
{
return new sp_counted_impl( ptr, func );
}
catch( ... ) // in case the new above fails
{
func( ptr ); // we have to clean up the pointer now and rethrow
throw;
}
}
template< typename T >
sp_counted_impl<T> * make_sp_counted_impl( T* ptr )
{
return make_sp_counted_impl( ptr, checked_deleter<T>() );
}
わかりました、これらの2つの関数は、テンプレート関数を介してshared_ptrを作成するときに次に何が起こるかに関して重要です。
template< typename T >
class shared_ptr : public shared_ptr_base
{
public:
template < typename U >
explicit shared_ptr( U * ptr ) :
shared_ptr_base( make_sp_counted_impl( ptr ) )
{
}
// implement the rest of shared_ptr, e.g. operator*, operator->
};
TがvoidでUが「テスト」クラスである場合、上記の処理に注意してください。Tへのポインタではなく、Uへのポインタでmake_sp_counted_impl()を呼び出します。破棄の管理はすべてここで行われます。shared_ptr_baseクラスは、コピーや割り当てなどに関する参照カウントを管理します。shared_ptrクラス自体は、演算子オーバーロード(->、*など)のタイプセーフな使用を管理します。
したがって、voidへのshared_ptrがありますが、その下では、newに渡した型のポインタを管理しています。ポインタをvoid *に変換してからshared_ptrに入れると、checked_deleteでのコンパイルに失敗するため、実際に安全です。