从C中读取TXT文件中的所有字符

时间:2014-03-19 17:52:36

标签: c arrays file file-io

我正在尝试编写一个程序,它读取所有TXT文件并复制到一个特定的数组中。但问题是空白字符。如果我使用fscanf,我无法将所有TXT文件放入一个数组中。如何将TXT文件复制到char数组?

3 个答案:

答案 0 :(得分:1)

您可以使用fread(3)从这样的流中读取所有内容:

char buf[1024];

while (fread(buf, 1, sizeof(buf), stream) > 0) {
    /* put contents of buf to your array */
}

答案 1 :(得分:1)

您可以使用函数fgetc(<file pointer>)返回从文件中读取的单个字符,如果您使用此函数,则应检查读取的字符是否为EOF

答案 2 :(得分:1)

标准库提供了在一个函数调用中读取文件的全部内容所需的所有功能。你必须首先弄清楚文件的大小,确保你分配足够的内存来保存文件的内容,然后在一个函数调用中读取所有内容。

#include <stdio.h>
#include <stdlib.h>

long getFileSize(FILE* fp)
{
   long size = 0;
   fpos_t pos;
   fseek(fp, 0, SEEK_END);
   size = ftell(fp);
   fseek(fp, 0, SEEK_SET);
   return size;
}

int main(int argc, char** argv)
{
   long fileSize;
   char* fileContents;

   if ( argc > 1 )
   {
      char* file = argv[1];
      FILE* fp = fopen(file, "r");
      if ( fp != NULL )
      {
         /* Determine the size of the file */
         fileSize = getFileSize(fp);

         /* Allocate memory for the contents */
         fileContents = malloc(fileSize+1);

         /* Read the contents */
         fread(fileContents, 1, fileSize, fp);

         /* fread does not automatically add a terminating NULL character.
            You must add it yourself. */
         fileContents[fileSize] = '\0';

         /* Do something useful with the contents of the file */
         printf("The contents of the file...\n%s", fileContents);

         /* Release allocated memory */
         free(fileContents);

         fclose(fp);
      }
   }
}