我正在尝试将各种不同类型的数据存储在数组或向量中。到目前为止,我通过使用一个基类来实现这一点,该基类将作为指向每个对象的指针存储在向量中,然后键入强制转换以获取数据。这适用于int,但任何其他类型的数据都会引发访问冲突异常。
很抱歉,如果我的解释不是很好,这是我的代码,其中包含我希望有帮助的评论:
//Base class
class MenuProperty
{
private:
std::string Name;
public:
MenuProperty(std::string Name) : Name(Name) {};
~MenuProperty() {};
std::string GetName();
};
//Typed class used to store data
template<class T>
class TMenuProperty : public MenuProperty
{
private:
T Data;
public:
TMenuProperty(std::string Name, T Data) : MenuProperty(Name), Data(Data) {};
T GetData()
{
return this->Data;
}
};
//Class with no type and data pointer to retrieve data
class cpMenuProperty : public MenuProperty
{
private:
VOID* Data;
public:
cpMenuProperty(std::string Name) : MenuProperty(Name) {};
VOID* GetPointer()
{
return this->Data;
}
};
希望有一些相似之处,这是我的测试代码:
int main()
{
TMenuProperty<double> fP("Test2", 33.7354); //Create instance of property
MenuProperty* fMP = &fP; //Make a pointer to the object
cpMenuProperty* Test; //Make a pointer to the retrieving
//object
std::vector<MenuProperty*> Vec;
std::vector<MenuProperty*>::iterator it;
Vec.push_back(fMP);
it = Vec.begin();
Test = static_cast<cpMenuProperty*>(*it); //Cast the first object in the list
//list to the same type as the
//retrieveing object
double Data = *(double*)Test->GetPointer(); //Dereference and access, this is
//where the exception is thrown
std::cout << Data;
int Ret;
std::cin >> Ret;
}
我可能在这里犯了一些巨大的错误,但是感谢你花时间阅读它到目前为止:)感谢任何帮助,也有建设性的批评!
答案 0 :(得分:2)
您正在初始化堆栈上的TMenuProperty对象,然后将其转换为cpMenuProperty。永远不会为cpMenuProperty中的void * Data分配任何内存。 TMenuProperty和cpMenuProperty之间没有任何关系,除了它们来自同一个类。这种设计永远不会起作用。
答案 1 :(得分:0)
#include<iostream>
#include<vector>
#include<iterator>
#include<memory>
class base {
public:
virtual void foo(){
std::cout << "in base" << std::endl;
}
};
class derived : public base {
public:
virtual void foo(){
std::cout << "in derived" << std::endl;
}
};
int main()
{
std::vector<std::unique_ptr<base>> vec;
vec.emplace_back(new derived);
static_cast<derived*>(vec[0].get())->foo();
return 0;
}
经典例子,使用现代实践。