Stroustrup的书中的一个练习内容如下:
编写一个与
ptr_cast
类似的模板dynamic_cast
,但它会抛出bad_cast
而不是返回0。
我设法提出的唯一解决方案是通过正确包裹dynamic_cast
作弊:
template<typename Dst, typename Src>
Dst ptr_cast(Src* p) {
Dst pt = dynamic_cast<Dst>(p);
if (!pt)
throw std::bad_cast();
return pt;
}
class B {
public:
virtual ~B();
};
B::~B() {}
class D : public B {};
class C {};
int main() {
B* pb = new D;
D* pd = ptr_cast<D*>(pb); // passes
C* pc = ptr_cast<C*>(pb); // throws as planned
return 0;
}
但是,我怀疑这不是作者的意思。有没有人有更好的主意?该项目标有一颗星,这意味着它必须是非常明显的东西。
答案 0 :(得分:1)
您的解决方案几乎完全匹配来自polymorphic_cast的提升:
// Runtime checked polymorphic downcasts and crosscasts.
// Suggested in The C++ Programming Language, 3rd Ed, Bjarne Stroustrup,
// section 15.8 exercise 1, page 425.
template <class Target, class Source>
inline Target polymorphic_cast(Source* x)
{
Target tmp = dynamic_cast<Target>(x);
if ( tmp == 0 ) boost::throw_exception( std::bad_cast() );
return tmp;
}
所以它可能是一个很好的。