我想使用此程序将哈希表写入文件
但我明白了
无法将参数1从'fpinfo'转换为'const void *'
编译时错误
如果我将struct fpinfo e;
更改为struct fpinfo *e
,则会出现运行时错误:
变量“ e”没有被初始化就被使用。
我试图通过将e声明为struct fpinfo *e=NULL;
来初始化e。这要么不起作用。
请照常给我您的帮助。
WriteHTtoFile(struct fpinfo t[][B_ENTRIES],int this_tanker,tanker_record tr[][BUCKETS])
{
//struct fpinfo *e;
struct fpinfo e;
int i=0, mask;
char filename[sizeof ("file0000.txt")];
sprintf(filename, "filee%d.txt", this_tanker);
curr_tanker++;
//fp = fopen(filename,"w");
FILE *htfile=fopen(filename,"w+b");
system("cls");
if (htfile != NULL)
{
for (int j = 0; j < BUCKETS; ++j)
{
for (int k = 0; k < tr[this_tanker][j].bkt.num_of_entries; ++k)
{
printf("%d\t%d\t%s\n",t[j][k].chunk_offset,t[j][k].chunk_length,t[j][k].fing_print);
(e).chunk_offset=t[j][k].chunk_offset;
(e).chunk_length=t[j][k].chunk_length;
strcpy((char*)((e).fing_print),(char*)t[j][k].fing_print);
fwrite(e,sizeof(fpinfo),1,htfile);
}
}
fclose(htfile);
}
else
{
std::cout<<"File could not be opend for writing";
printf("Error %d\t\n%s", errno,strerror(errno));
}
fclose(htfile);
return 1;
}
最佳答案
fwrite()
的第一个参数是const void*
。这将传递struct fpinfo
:
fwrite(e, sizeof(fpinfo), 1, htfile);
改成:
fwrite(&e, sizeof(fpinfo), 1, htfile);
我不确定
struct fpinfo
的成员是什么,因此这可能是不安全的(例如,如果它包含任何指针成员)。将来对struct fpinfo
中的成员进行任何重新排序或导致更改导致struct fpinfo
大小增加的更改(如添加新成员一样)意味着任何尝试读取先前写入的struct fpinfo
数据的尝试都是错误的。当
e
的声明更改为struct fpinfo* e;
时,单元化错误是由于指针不为NULL或未分配给动态分配的struct fpinfo
。更改为
struct fpinfo *e = NULL;
时,如果尝试访问e
的任何成员而不是指向struct fpinfo
,则将导致分段错误。关于c++ - 为什么我得到变量-被使用而没有初始化错误?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/9485389/