创建一个可以在C ++中保存不同类的对象的数组

时间:2010-05-04 11:04:06

标签: c++ arrays polymorphism

如何创建一个可以在C ++中保存不同类的对象的数组?

4 个答案:

答案 0 :(得分:12)

您可以使用boost::anyboost::variant(比较两者:[1])。

或者,如果“不同类的对象”具有共同的祖先(例如,Base),则可以使用std::vector<Base*>(或std::vector<std::tr1::shared_ptr<Base> >),并将结果转换为当你需要它时Derived*

答案 1 :(得分:3)

定义一个基类并从中派生所有类。

然后你可以创建一个类型列表(base *),它可以包含任何Base类型或派生类型的对象

答案 2 :(得分:2)

查看boost::fusion这是一个stl副本,但能够在容器中存储不同的数据类型

答案 3 :(得分:1)

如果要创建自己的,请使用模板和运算符重载来包装对指针/数组的访问。以下是一个小例子:

#include <iostream>

using namespace std;

template <class T>
class Array
{
private:
    T* things;

public:

    Array(T* a, int n) {
        things = new T[n];
        for (int i=0; i<n; i++) {
            things[i] = a[i];
        }
    }

    ~Array() {
        delete[] things;
    }

    T& operator [](const int idx) const {
        return things[idx];
    }
};

int main()
{    
    int a[] = {1,2,3};
    double b[] = {1.2, 3.5, 6.0};

    Array<int> intArray(a, 3);
    Array<double> doubleArray(b, 3);

    cout << "intArray[1]: " << intArray[1] << endl;
}