aboutsummaryrefslogtreecommitdiff
path: root/convimg.c
blob: 631a8b15e45ff62754ef174116738c2490105274 (plain) (blame)
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
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
#include <stdio.h>
#include <stdlib.h>
#include <string.h>

typedef struct {
	unsigned char r, g, b, a;
} Colour;

int main(int argc, char** argv) {
	FILE* outfile, * infile;
	char bmp_magic[2];
	int ret = 0;
	unsigned bmp_offset;
	int bmp_w, bmp_h, x, y, s, bs;
	unsigned short bmp_bits;
	unsigned* bitmap;
	Colour pixel, * buffer;
	unsigned char t;

	if (argc < 3) {
		fprintf(stderr, "Usage: %s infile outfile.\n", argv[0]);
		return 1;
	}

	infile = fopen(argv[1], "rb");
	if (!infile) {
		fprintf(stderr, "Failed to open %s.\n", argv[1]);
		return 2;
	}

	fread(bmp_magic, 2, 1, infile);
	if (bmp_magic[0] != 'B' || bmp_magic[1] != 'M') {
		ret = 3;
		fprintf(stderr, "Not a valid bitmap file.\n");
		goto end;
	}
	
	fseek(infile, 10, SEEK_SET);
	fread(&bmp_offset, 4, 1, infile);

	fseek(infile, 18, SEEK_SET);
	fread(&bmp_w,    4, 1, infile);
	fread(&bmp_h,    4, 1, infile);
	fseek(infile, 28, SEEK_SET);
	fread(&bmp_bits, 2, 1, infile);

	if (bmp_bits != 32) {
		ret = 4;
		fprintf(stderr, "Bitmap must have 32 bit pixels. %d\n", bmp_bits);
		goto end;
	}

	fseek(infile, bmp_offset, SEEK_SET);

	s = bmp_w * bmp_h;
	buffer = malloc(s * 4);
	/* Read & flip */
	for (y = 0; y < bmp_h; y++) {
		for (x = 0; x < bmp_w; x++) {
			fread(&pixel, 1, 4, infile);
			t = pixel.r;
			pixel.r = pixel.b;
			pixel.b = t;
			if (pixel.a == 0) {
				pixel.r = 0;
				pixel.g = 0;
				pixel.b = 0;
			}
			buffer[x + (bmp_h - y - 1) * bmp_w] = pixel;
		}
	}

	outfile = fopen(argv[2], "wb");
	if (!outfile) {
		fprintf(stderr, "Failed to open %s.\n", argv[2]);
		fclose(infile);
		return 2;
	}
	bs = (bmp_w * bmp_h + 32) / 32 * 4;
	bitmap = calloc(bs, 1);
	for (y = 0; y < bmp_h; y++) {
		for (x = 0; x < bmp_w; x++) {
			int idx = x + y * bmp_w;
			if (buffer[idx].r) {
				bitmap[idx / 32] |= 1 << (idx % 32);
			}
		}
	}
	fwrite(&bmp_w, 1, 2, outfile);
	fwrite(&bmp_h, 1, 2, outfile);
	fwrite(bitmap, 1, bs, outfile);
	free(buffer);

end:
	fclose(infile);
	fclose(outfile);
	return ret;
}