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
//! Styling struct to customise the look of objects.
use crate::pixelcolor::PixelColor;
/// Style properties for an object
#[derive(Debug, Copy, Clone)]
pub struct Style<P: PixelColor> {
    /// Fill colour of the object
    ///
    /// For fonts, this is the background colour of the text
    pub fill_color: Option<P>,
    /// Stroke (border/line) color of the object
    ///
    /// For fonts, this is the foreground colour of the text
    pub stroke_color: Option<P>,
    /// Stroke width
    ///
    /// Set the stroke width for an object. Has no effect on fonts.
    pub stroke_width: u8,
}
impl<P> Style<P>
where
    P: PixelColor,
{
    /// Create a new style with a given stroke value and defaults for everything else
    pub fn stroke(stroke_color: P) -> Self {
        Self {
            stroke_color: Some(stroke_color),
            ..Style::default()
        }
    }
}
impl<P> Default for Style<P>
where
    P: PixelColor,
{
    fn default() -> Self {
        Self {
            fill_color: None,
            stroke_color: None,
            stroke_width: 1,
        }
    }
}
/// Add a style to an object
pub trait WithStyle<C>
where
    C: PixelColor,
{
    /// Add a complete style to the object
    fn style(self, style: Style<C>) -> Self;
    /// Set the stroke colour for the object
    ///
    /// This can be a noop
    fn stroke(self, stroke: Option<C>) -> Self;
    /// Set the stroke width for the object
    ///
    /// A stroke with a width of zero will not be rendered
    fn stroke_width(self, width: u8) -> Self;
    /// Set the fill property of the object's style
    ///
    /// This can be a noop
    fn fill(self, stroke: Option<C>) -> Self;
}