struct LeafDataEntry
{
void *key;
int a;
};
int main(){
//I want to declare a vector of structure
vector<LeafDataEntry> leaves;
for(int i=0; i<100; i++){
leaves[i].key = (void *)malloc(sizeof(unsigned));
//assign some value to leaves[i].key using memcpy
}
}
我在上面的for循环中执行malloc时,此代码出现SEG FAULT错误..任何建议将内存分配给结构 vector 中的指针的任何建议。
最佳答案
这是因为您试图分配给一个还没有元素的 vector 。改为这样做:
for(int i=0; i<100; i++){
LeafDataEntry temp;
leaves.push_back(temp);
leaves[i].key = (void *)malloc(sizeof(unsigned));
//assign some value to leaves[i].key using memcpy
}
这样,您将访问实际的内存。
OP在评论中提到,数组中元素的数量将在运行时确定。您可以设置
i < someVar
,这将允许您在运行时确定someVar
和列表的大小。另一个答案
leaves.resize(someVar) //before the loop
不过,这可能是一个更好的方法,因为它可能会更有效率。
关于c++ - 将内存分配给结构的 vector 指针时发生SEG FAULT,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13389268/