我在命名空间中有一组抽象父类,类似于以下内容
namespace Core {
class Sparse;
class Dense;
}
我在某个地方定义这些类,然后派生一些子类:
class SparseA: public Core::Sparse;
class SparseB: public Core::Sparse;
class DenseA: public Core::Dense;
现在,我想实例化子类的一些对象,并将它们存储在可以从任何地方访问的公共(public)容器中。我怎样才能做到这一点?
另一个问题:我是否也应该在
Core
命名空间中包含子类?谢谢。
最佳答案
只要长类Sparse
和Dense
不相关,就不能将派生类的实例存储在同一c++标准容器中(除非您要使用boost::variant
或boost::any
这样的奇特的东西)。
如果您为它们提供了一个常见的(抽象的)基类,则可以使用智能指针(例如std::unique_ptr<>
或std::shared_ptr
)来继续在容器中引用它们(使用与示例中相同的伪语法)
namespace Core {
class CommonBase;
class Sparse : public CommonBase;
class Dense : public CommonBase;
}
typedef std::vector<std::unique_ptr<Core::CommonBase>> MyContainerType;
另一个选择可能是模板包装器类解决方案
namespace Core {
class WrapperBase {
public:
// Expose the common interface of Sparse and Dense as
// pure virtual functions
virtual void foo() = 0;
virtual ~WrapperBase() {}
};
template<class Impl>
class Wrapper : public WrapperBase {
private:
Impl& impl_;
public:
Wrapper(Impl& impl) : impl_(impl) {}
void foo() {
impl.foo(); // Delegate to the actual implementation
}
};
class Sparse;
class Dense;
}
typedef std::vector<std::unique_ptr<Core::WrapperBase>> MyContainerType;
MyContainerType container;
container.push_back(std::make_unique<Wrapper<SparseA>>());
container.push_back(std::make_unique<Wrapper<SparseB>>());
container.push_back(std::make_unique<Wrapper<DenseA>>());
后者将允许在单个容器中松散地耦合诸如
Sparse
和Dense
之类的类,但仍至少需要一些抽象接口(interface),该接口(interface)可在行为上用于这两个类以及从它们派生的类。