我是C ++新手并遇到了第一个麻烦。我有一个GameObject类,我必须以某种方式存储许多组件。每个组件都是不同的类,所以我不能正常使用向量。我决定存储组件的类型和指向该对象的指针。问题是,当我得到,返回该组件,并使用一个使用它的成员变量的类函数时,我得到SIGSEGV错误(是的,听起来很混乱)。但是,如果我通常使用该类和该函数,我不会收到SIGSEGV错误。
GameObject.h:
enum ComponentType
{
MeshComponent // currently only one type
};
struct Component
{
ComponentType type;
void *pointer;
};
class GameObject
{
private:
std::vector<Component> components;
public:
void addComponent(ComponentType type);
template<typename T> T* getComponent()
{
for(std::vector<Component>::size_type i = 0; i != components.size(); i++)
{
// will need to somehow check T type later
if(components[i].type == MeshComponent)
{
return (Mesh*)&components[i].pointer;
}
}
Debug::Loge(GAMEOBJECT_TAG, "No %s component in %s gameobject!", componentTypeToString(MeshComponent).c_str(), name.c_str());
return 0;
}
}
GameObject.cpp:
void GameObject::addComponent(ComponentType type)
{
Component component;
component.type = type;
if(type == MeshComponent)
{
Mesh *mesh = new Mesh();
component.pointer = &mesh;
}
components.push_back(component);
}
Mesh.h
class Mesh
{
public:
Mesh *setMeshData(std::vector<GLfloat> data);
};
Mesh.cpp
Mesh *Mesh::setMeshData(vector<GLfloat> data)
{
meshData = data;
return this;
}
最后这就是我使用它的方式:
GameObject object;
void somefunction()
{
object.addComponent(MeshComponent);
object.getComponent<Mesh>()->setMeshData(triangle_data); // SIGSEGV HERE!!
// if I use this one instead above - no sigsegv, everything is fine.
Mesh mesh;
mesh.setMeshData(triangle_data);
}
答案 0 :(得分:2)
在这里
Mesh *mesh = new Mesh();
component.pointer = &mesh;
您正在将指针的地址转到mesh
。而是尝试
Mesh *mesh = new Mesh();
component.pointer = mesh;
因为您将Component
指针定义为void* pointer
。如果您想使用Mesh*
的地址,则必须使用void** pointer
,但这很愚蠢,而且会导致另一个SIGSEGV
。
答案 1 :(得分:0)
if(components[i].type == MeshComponent)
{
return (Mesh*)&components[i].pointer;
}
您的返回类型为Mesh *,但&components[i].pointer
将无效**。
+ @ bas.d的上述解释