无法生成包含ptr_vector的类的向量<an_abstract_class> </an_abstract_class>

时间:2012-03-10 08:42:04

标签: c++ vector polymorphism abstract-class ptr-vector

我需要std::vector boost::ptr_vector个。为了简化管理,我将boost :: ptr_vector包含在一个类(Zoo)中,并创建了一个std :: vector(allZoos)。查看用于复制此内容的最小代码:

#include <boost/ptr_container/ptr_vector.hpp>
#include <boost/utility.hpp>

class Animal
{
public:
    virtual char type() = 0;
};

class Cat : public Animal
{
public:
    char type() { return 1; }
};

class Zoo
{
public:
    boost::ptr_vector<Animal> animals;
};


int main()
{
    std::vector<Zoo> allZoos;

    Zoo ourCityZoo;
    ourCityZoo.animals.push_back(new Cat());

    //Uncommenting any of the lines below causes error:
    //allZoos.push_back(ourCityZoo);
    //allZoos.clear();

    return 0;
}

声明allZoos没问题,但是调用它的任何成员函数都会导致编译错误:(完整的错误日志太长了,没有发布)

C2259: 'Animal' : cannot instantiate abstract class c:\boost_1_49_0\boost\ptr_container\clone_allocator.hpp 34  1

这与boost的不可复制的实用程序类和自定义new_clone函数无关,我尝试了它们没有运气。怎么能解决?

(我正在使用VS2010)

1 个答案:

答案 0 :(得分:9)

实际上,阅读错误出现的位置会有所帮助。在Boost来源中明确而明确地说明了这一点:

template< class T >
inline T* new_clone( const T& r )
{
    //
    // @remark: if you get a compile-error here,
    //          it is most likely because you did not
    //          define new_clone( const T& ) in the namespace
    //          of T.
    //
    T* res = new T( r );
    BOOST_ASSERT( typeid(r) == typeid(*res) &&
                  "Default new_clone() sliced object!" );
    return res;
}

如果您没有指定克隆类型的方法,它将尝试通过简单地复制它来实现,这对于抽象类是不可能的。向clone添加适当的abstract_class方法,并在其命名空间中添加new_clone函数,您就可以了。

Here是您代码的固定版本。