将文件的全部内容读取到 c char *,包括新行

Roy*_* T. 1 c io

我正在寻找一种跨平台(Windows + Linux)解决方案来将整个文件的内容读入char *.

这就是我现在所拥有的:

FILE *stream;
char *contents;
fileSize = 0;

//Open the stream
stream = fopen(argv[1], "r");

//Steak to the end of the file to determine the file size
fseek(stream, 0L, SEEK_END);
fileSize = ftell(stream);
fseek(stream, 0L, SEEK_SET);

//Allocate enough memory (should I add 1 for the \0?)
contents = (char *)malloc(fileSize);

//Read the file 
fscanf(stream, "%s", contents);     

//Print it again for debugging
printf("Read %s\n", contents);
Run Code Online (Sandbox Code Playgroud)

不幸的是,这只会打印文件中的第一行,所以我假设 fscanf 停在第一个换行符处。但是,我想读取整个文件,包括并保留新行字符。我不想使用 while 循环和 realloc 来手动构造整个字符串,我的意思是必须有一种更简单的方法?

小智 5

像这样的东西,可能吗?

FILE *stream;
char *contents;
fileSize = 0;

//Open the stream. Note "b" to avoid DOS/UNIX new line conversion.
stream = fopen(argv[1], "rb");

//Seek to the end of the file to determine the file size
fseek(stream, 0L, SEEK_END);
fileSize = ftell(stream);
fseek(stream, 0L, SEEK_SET);

//Allocate enough memory (add 1 for the \0, since fread won't add it)
contents = malloc(fileSize+1);

//Read the file 
size_t size=fread(contents,1,fileSize,stream);
contents[size]=0; // Add terminating zero.

//Print it again for debugging
printf("Read %s\n", contents);

//Close the file
fclose(stream);
free(contents);
Run Code Online (Sandbox Code Playgroud)