using namespace boost;
class A {};
class B : public A {};
class X {
virtual shared_ptr<A> foo();
};
class Y : public X {
virtual shared_ptr<B> foo();
};
返回类型不是协变的(因此它们也不合法),但如果我使用的是原始指针,它们就会出现。如果有的话,解决这个问题的普遍接受的习惯是什么?
答案 0 :(得分:11)
我认为解决方案根本不可能,因为协方差取决于与智能指针不兼容的指针算法。
当Y::foo
向动态调用方返回shared_ptr<B>
时,必须在使用前将其强制转换为shared_ptr<A>
。在您的情况下,B*
可以(可能)简单地重新解释为A*
,但对于多重继承,您需要一些魔术来告诉C ++关于static_cast<A*>(shared_ptr<B>::get())
。
答案 1 :(得分:4)
不是直接的,但你可以通过使实际的虚函数从类外部无法访问并将虚函数调用包装到非虚函数中来伪造它。缺点是您必须记住在每个派生类上实现此包装函数。但是你可以通过将virtul函数声明和包装器放入宏中来解决这个问题。
using namespace boost; // for shared_ptr, make_shared and static_pointer_cast.
// "Fake" implementation of the clone() function.
#define CLONE(MyType) \
shared_ptr<MyType> clone() \
{ \
shared_ptr<Base> res = clone_impl(); \
assert(dynamic_cast<MyType*>(res.get()) != 0); \
return static_pointer_cast<MyType>(res); \
}
class Base
{
protected:
// The actual implementation of the clone() function.
virtual shared_ptr<Base> clone_impl() { return make_shared<Base>(*this); }
public:
// non-virtual shared_ptr<Base> clone();
CLONE(Base)
};
class Derived : public Base
{
protected:
virtual shared_ptr<Base> clone_impl() { return make_shared<Derived>(*this); }
public:
// non-virtual shared_ptr<Derived> clone();
CLONE(Derived)
};
int main()
{
shared_ptr<Derived> p = make_shared<Derived>();
shared_ptr<Derived> clone = p->clone();
return 0;
}
答案 2 :(得分:-1)
我只返回一个裸指针并立即将其包装在共享指针中。