use serde::{Serialize, Deserialize, de, Serializer, Deserializer};
use std::{fmt, ops::{Index, IndexMut}};
use crate::{Color, LIGHTHOUSE_ROWS, LIGHTHOUSE_COLS, Pos, LIGHTHOUSE_RECT, LIGHTHOUSE_SIZE};
#[derive(Debug, Clone, PartialEq, Eq, Hash)]
pub struct Frame {
pixels: [Color; LIGHTHOUSE_SIZE],
}
impl Frame {
pub fn empty() -> Self {
Self::fill(Color::BLACK)
}
pub fn new(pixels: [Color; LIGHTHOUSE_SIZE]) -> Self {
Self { pixels }
}
pub fn fill(color: Color) -> Self {
Self { pixels: [color; LIGHTHOUSE_SIZE] }
}
pub fn generate(f: impl Fn(usize, usize) -> Color) -> Self {
let mut frame = Self::empty();
for y in 0..LIGHTHOUSE_ROWS {
for x in 0..LIGHTHOUSE_COLS {
frame.set(x, y, f(x, y));
}
}
frame
}
pub fn get(&self, x: usize, y: usize) -> Color {
self[Pos::new(x as i32, y as i32)]
}
pub fn set(&mut self, x: usize, y: usize, color: Color) {
self[Pos::new(x as i32, y as i32)] = color;
}
}
impl Index<Pos> for Frame {
type Output = Color;
fn index(&self, pos: Pos) -> &Color {
&self.pixels[LIGHTHOUSE_RECT.index_of(pos)]
}
}
impl IndexMut<Pos> for Frame {
fn index_mut(&mut self, pos: Pos) -> &mut Color {
&mut self.pixels[LIGHTHOUSE_RECT.index_of(pos)]
}
}
impl Serialize for Frame {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where S: Serializer {
let bytes: Vec<u8> = self.pixels.iter()
.flat_map(|c| [c.red, c.green, c.blue].into_iter())
.collect();
serializer.serialize_bytes(&bytes)
}
}
impl<'de> Deserialize<'de> for Frame {
fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
where D: Deserializer<'de> {
deserializer.deserialize_bytes(FrameBytesVisitor)
}
}
struct FrameBytesVisitor;
impl<'de> de::Visitor<'de> for FrameBytesVisitor {
type Value = Frame;
fn expecting(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(f, "a byte array whose length is a multiple of 3")
}
fn visit_bytes<E>(self, v: &[u8]) -> Result<Self::Value, E>
where E: de::Error {
if v.len() % 3 == 0 {
Ok(Frame {
pixels: v
.chunks(3)
.map(|c| match c {
&[r, g, b] => Color::new(r, g, b),
_ => unreachable!(),
})
.collect::<Vec<_>>()
.try_into()
.map(Ok)
.unwrap_or_else(|_| Err(E::custom("Could not decode into pixels array".to_owned())))?
})
} else {
Err(E::custom(format!("{} (length of byte array) is not a multiple of 3", v.len())))
}
}
}