fread / malloc的问题

时间:2015-10-05 19:21:30

标签: c malloc fread

FILE *infp, *outfp;
infp = fopen(argv[2], "r"); 

int len;
char *text;
fseek(infp, 0, SEEK_END); 
len = ftell(infp);
printf("%d\n", len);

if ((text = (char *) malloc(500000000)) == NULL)
{
        fprintf(stderr, "Error allocating memory\n");
        exit(1);
}
fread(text, len, 1, infp);
text[len] = '\0';
fclose(infp);
printf("Text = %s,  Address = %u\n", text, text);

返回

138
Text = ,  Address = 3794927632

我不确定为什么文字不会打印任何内容。我是不是以某种方式使用了错误?

2 个答案:

答案 0 :(得分:2)

您需要使用rewind()fseek(3)这样重置文件位置

FILE *infp;
FILE *outfp;
int length;
char *text;

if ((infp = fopen(argv[2], "r")) == NULL)
{
     fprintf(stderr, "Error openning `%s'\n", argv[2]);
     return -1;
}

fseek(infp, 0L, SEEK_END); 
len = ftell(infp);
/* reset position */
fseek(infp, 0L, SEEK_SET); /* essentially rewind(infp); */

printf("%d\n", length);
if ((text = malloc(length + 1)) == NULL)
{
    fprintf(stderr, "Error allocating memory\n");
    return -1;
}

if (fread(text, 1, length, infp) == length)
{
    text[length] = '\0';

    printf("Text = %s,  Address = %u\n", text, text);
    free(text); /* never forget to `free' */
}
else
{
    free(text);
    text = NULL:
}
fclose(infp);

你也应该

  1. 检查fopen()的返回值,您永远不会检查文件是否实际打开,我认为这是主要问题。
  2. 仅分配必要的空间。
  3. 确保fread()没有失败。
  4. 交换fread(3)的尺寸参数,首先是元素大小,然后是元素数量

    size_t fread(void *ptr, size_t size, size_t nmemb, FILE *stream);
    

    并且返回值应该等于nmemb,请阅读上面链接的手册页。

答案 1 :(得分:0)

fseek(infp, 0, SEEK_END); 

infp指向文件的末尾。您需要回放文件。

rewind(infp);

有关其他信息,请参阅http://www.cplusplus.com/reference/cstdio/rewind/