ฉันจะตอบคำถามนี้ (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 ซึ่งจะส่งกลับตัวชี้ไปยังหนึ่งที่สร้างขึ้นใหม่
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>() );
}
ตกลงฟังก์ชั่นทั้งสองนี้มีความสำคัญต่อสิ่งที่จะเกิดขึ้นต่อไปเมื่อคุณสร้าง shared_ptr ผ่านฟังก์ชั่น templated
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 เป็นโมฆะและ U คือคลาส "ทดสอบ" ของคุณ มันจะเรียก make_sp_counted_impl () พร้อมกับตัวชี้ไปที่ U ไม่ใช่ตัวชี้ไปที่ T การจัดการการทำลายเสร็จสิ้นทั้งหมดที่นี่ คลาส shared_ptr_base จัดการการนับการอ้างอิงโดยคำนึงถึงการคัดลอกและการมอบหมายเป็นต้นคลาส shared_ptr จัดการการใช้ typesafe ของโอเปอเรเตอร์โอเวอร์โหลด (->, * ฯลฯ )
ดังนั้นแม้ว่าคุณจะมี shared_ptr เป็นโมฆะภายใต้คุณกำลังจัดการตัวชี้ของประเภทที่คุณส่งเข้ามาใหม่ โปรดทราบว่าถ้าคุณแปลงตัวชี้ของคุณเป็นโมฆะ * ก่อนที่จะวางลงใน shared_ptr มันจะล้มเหลวในการรวบรวมบน checked_delete เพื่อให้คุณปลอดภัยจริง ๆ