1

我有一个大文件,里面包含很多 jpeg。所有的jpeg都需要一张一张的提取出来。这是我解决这个问题的第一步:

1)定义“块”变量并为其分配512字节的存储空间

2)打开包含所有jpeg的文件并循环遍历它直到eof

3) 抓取第一个块(512 字节)并查看里面有什么

目前我的代码无法编译。这是我的错误:

 recover.c:27:19: error: implicitly declaring C library function
 'malloc' with type 'void *(unsigned int)' [-Werror]
     char* block = malloc(BYTE * 512);
                   ^ recover.c:27:19: note: please include the header <stdlib.h> or explicitly provide a declaration for 'malloc'
 recover.c:27:26: error: unexpected type name 'BYTE': expected
 expression
     char* block = malloc(BYTE * 512);
                          ^ recover.c:45:18: error: conversion specifies type 'int' but the argument has type 'char *'
 [-Werror,-Wformat]
         printf("%c", block);
                 ~^   ~~~~~
                 %s

到目前为止,这是我的代码:

#include <stdio.h>
#include <stdint.h>

typedef uint8_t BYTE;

//SOI - 0xFF 0xD8
//EOI - 0xFF 0xD9
//APPn - 0xFF 0xEn    
int main(void)
{
    //FAT - 512 bytes per block
    char* block = malloc(BYTE * 512);

    //open file containing pictures
    FILE* fh = fopen("card.raw", "rd");

    //make sure the file opened without errors
    if (fh == NULL)
    {
        printf("something went wrong and file could not be opened");
        return 1;
    }

    while (!feof(fh))
    {
        setbuf(fh, block);
        printf("%c", block);
    }

    fclose(fh);
return 0;
}

我究竟做错了什么?为什么不是 char* block = malloc(BYTE * 512); 分配 512 个字节,但会引发错误?另外,由于我什至还不能编译这一段,我是否正确读取了 512 个字节?如果没有,我该怎么做呢?

谢谢。

4

1 回答 1

6

你想要:

#include <stdlib.h>

得到 的定义malloc()

char* block = malloc(BYTE * 512);

应该是(因为malloc已经接受了字节的参数;sizeof(BYTE)将返回1):

char* block = malloc(512);

和:

printf("%c", block);

应该:

printf("%s", block);

就像 EJP 在评论中所说的那样,虽然这不是错误,但实际上并不需要动态分配bufferwith malloc()。您已经知道您将需要 512 个字节来执行您正在执行的操作,因此您可以将该行替换为:

char block[512];

我认为您使用 clang 作为编译器,正如您所看到的,它对错误消息非常有帮助,它基本上告诉您如何修复它。

于 2013-03-18T22:55:13.690 回答