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
use std::io::{self, Read, Seek, SeekFrom};

use bitflags::bitflags;
use byteorder::{LittleEndian, ReadBytesExt};
use num_enum::CustomTryInto;

#[derive(Eq, PartialEq, CustomTryInto)]
#[repr(u16)]
pub enum ColorDepth {
	Indexed = 8,
	Grayscale = 16,
	RGBA = 32,
}

bitflags! {
	pub struct Flags: u32 {
		const HasOpacity = 1;
	}
}

pub struct Header {
	pub file_size: u32,
	pub frames: u16,
	pub width_in_pixels: u16,
	pub height_in_pixels: u16,
	pub color_depth: ColorDepth,
	pub flags: Flags,
	pub transparent_palette_entry: u8,
	pub number_of_colors: u16,
	pub pixel_width: u8,
	pub pixel_height: u8,
}

impl Header {
	pub fn from_read<R>(read: &mut R) -> io::Result<Self>
	where
		R: Read + Seek,
	{
		let file_size = read.read_u32::<LittleEndian>()?;
		read.seek(SeekFrom::Current(2))?;
		let frames = read.read_u16::<LittleEndian>()?;
		let width_in_pixels = read.read_u16::<LittleEndian>()?;
		let height_in_pixels = read.read_u16::<LittleEndian>()?;
		let color_depth = read
			.read_u16::<LittleEndian>()?
			.try_into_ColorDepth()
			.map_err(|e| io::Error::new(io::ErrorKind::Other, e))?;
		let flags = Flags::from_bits_truncate(read.read_u32::<LittleEndian>()?);
		read.seek(SeekFrom::Current(2 + 4 + 4))?;
		let transparent_palette_entry = read.read_u8()?;
		read.seek(SeekFrom::Current(3))?;
		let number_of_colors = read.read_u16::<LittleEndian>()?;
		let pixel_width = read.read_u8()?;
		let pixel_height = read.read_u8()?;
		read.seek(SeekFrom::Current(92))?;

		Ok(Self {
			file_size,
			frames,
			width_in_pixels,
			height_in_pixels,
			color_depth,
			flags,
			transparent_palette_entry,
			number_of_colors,
			pixel_width,
			pixel_height,
		})
	}
}