0%

Recover:恢复记忆卡中的 JPEG 图片

tl;dr

从 card.raw 中识别 JPEG 的数据,将其恢复出来。

思考

  1. 打开存储卡card.raw 读取其中数据(使用fopen()
  2. 识别 JPEG 的header
    注意:JPEG 也只是一系列bytes,只是每一个 JPEG 都有相同的header
    前三个byte:是 0xff 0xd8 0xff
    下一个:0xe0—到–0xef
    读取时每一个 block 是 512 bytes
  3. 打开一个新的 JPEG 文件,将文件名保存为 ???.jpeg(1~n)
  4. 写入这一个block 的 512 byte 直到发现新的文件头出现
  5. 检查是否已经读取到文件的末尾

注意

  1. 读取文件的fread()
    fread(data,size,number,inptr)
    data: pointer to such truct that will contain the bytes you are reading
    size: size of each element to read
    sizeof
    number: number of elements to read
    inptr: FILE * to read from
  2. 识别 JPEG:
    if (buffer[0] == 0xff &&
    buffer[1] == 0xd8 &&
    buffer[2] == 0xff &&
    (buffer[3] & 0xf0) == 0xe0)
  3. 按照需要存储新图片,使用函数 sprintf(filename,”%03i.jpg”,2)
    filename: char array to store the result tring
    002.jpg
    FILE *image = fopen(filename,”w”)
  4. 使用 fwrite 函数写入内容
    fwrite(data,size,number,outptr)
    fwrite(buffer, sizeof(buffer), 1, image)
  5. 使用的数据结构
    定义了 typedef uint8_t BYTE,使用了 BYTE buffer[512]

参考文档

  1. https://docs.cs50.net/2018/x/psets/4/recover/recover.html

Code Solution

[]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
#include <stdio.h>
#include <stdlib.h>
#include <cs50.h>
#include <stdint.h>

typedef uint8_t BYTE;

// get the name of a forensic image as command-line argument
int main(int argc, char *argv[])
{
// ensure proper usage
if (argc != 2)
{
fprintf(stderr, "Usage: recover infile outfile\n");
return 1;
}

// remember input filenames from the only argument
char *infile = argv[1];

// open input file
FILE *inptr = fopen(infile, "r");
if (inptr == NULL)
{
fprintf(stderr, "Could not open %s.\n", infile);
return 2;
}

//read file and check the first 4 signature
BYTE buffer[512];

char filename[8];
FILE *image = NULL;
int newnameJPEG = 0;
// check whether it is a JPEG start
bool isJPEG = false;
while (fread(buffer, sizeof(buffer), 1, inptr) == 1)
{
//check whether the first 4 buffer indicates a JPEG
if (buffer[0] == 0xff &&
buffer[1] == 0xd8 &&
buffer[2] == 0xff &&
(buffer[3] & 0xf0) == 0xe0)

{
isJPEG = true;

//making a new JPEG
sprintf(filename, "%03i.jpg", newnameJPEG);

//create file(JPEG) to write
image = fopen(filename, "w");

//prepare next
newnameJPEG ++;
}
if (isJPEG == true)
{
fwrite(buffer, sizeof(buffer), 1, image);
}

}

// close infile
fclose(inptr);
fclose(image);

// success
return 0;
}