我能够将一个8字节的数字表示写入文件。然而,当我去读它时,我没有得到我期待的数字。在下面的代码中,我正在尝试编写并将5000
号回读给testfile.txt
。
#include <stdio.h>
int main()
{
// Open file
FILE *fp;
if ((fp = fopen("testfile.txt","w+")) == NULL)
{
// Handle error
}
// Write 8 byte number to file
long long n = 5000;
fwrite(&n, 8, 1, fp);
// Seek to EOF and check that the file is 8 bytes
fseek(fp, 0, SEEK_END);
long locend = ftell(fp);
printf("Endbyte: %ld\n",locend);
// Seek back to start of file and print out location
fseek(fp, -8, SEEK_END);
long loc = ftell(fp);
printf("Location: %ld\n",loc);
// Read and print out number
long long *out;
fread(out, 8, 1, fp);
long long num = (long long) out;
printf("Number: %lld\n", num);
/* Cleanup */
close(fp);
return(0);
}
执行testfile.txt
的hexdump给出了以下内容:
00000000 88 13 00 00 00 00 00 00 |........|
00000008
13
和88
的十六进制值的二进制表示形成5000
,确认它正确写入(我相信)。
不幸的是我的程序输出不同意:
Endbyte: 8
Location: 0
Number: 140734934060848
如您所见,回读的数字与写入的数字不匹配。我认为这是我阅读它的方式的问题。
答案 0 :(得分:3)
我很惊讶,即使在没有崩溃的情况下也能跑步! fread
基本上与fwrite
完全相同,只是在另一个方向。它需要一个指向内存块的指针,但是你将它传递给一个未初始化的指针。
long long *out; //This is a pointer that is pointing to an undefined area of memory.
fread(out, 8, 1, fp); //fread is now writing the number to that undefined area of memory
您要做的是创建一个普通的long long
并传递对它的引用,就像您使用fwrite
一样。
long long out; //This is a location in memory that will hold the value
fread(&out, 8, 1, fp); //fread is now writing the number to the area of memory defined by the 'out' variable
答案 1 :(得分:1)
out是一个指针,需要先取消引用才能将其分配给num。
答案 2 :(得分:1)
out
是一个指针,所以它必须指向有效地址才能为其赋值,并且为了得到它的值,你必须使用&
而不是强制转换。
这是一个正确的代码:
long long num;
fread(&num, 8, 1, fp);
printf("Number: %lld\n", num);
还有一件事,请更正您的close
功能,如下所示
fclose(fp);
请注意close
使用文件描述符fclose
使用FILE *