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
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
use crate::{Color, Error, Hsl, Rgb};
use std::fmt;
#[derive(Clone, Copy, Debug, PartialEq)]
pub struct Cmyk {
pub cyan: u8,
pub magenta: u8,
pub yellow: u8,
pub key: u8,
}
impl Cmyk {
pub fn new(cyan: u8, magenta: u8, yellow: u8, key: u8) -> Result<Self, Error> {
if ![cyan, magenta, yellow, key].iter().all(|val| *val <= 100) {
return Err(Error::PercentageOverflow);
}
Ok(Self::new_unchecked(cyan, magenta, yellow, key))
}
pub fn new_unchecked(cyan: u8, magenta: u8, yellow: u8, key: u8) -> Self {
Self {
cyan,
magenta,
yellow,
key,
}
}
}
impl fmt::Display for Cmyk {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(
f,
"cmyk({}%, {}%, {}%, {}%)",
self.cyan, self.magenta, self.yellow, self.key
)
}
}
impl Color for Cmyk {
fn to_rgb(self) -> Rgb {
let apply =
|v| (255. * (1f64 - v as f64 / 100.) * (1. - self.key as f64 / 100.)).round() as u8;
let red = apply(self.cyan);
let green = apply(self.magenta);
let blue = apply(self.yellow);
Rgb { red, green, blue }
}
fn to_cmyk(self) -> Cmyk {
self
}
fn to_hex_string(self) -> String {
Rgb::to_hex_string(self.to_rgb())
}
fn to_hsl(self) -> Hsl {
self.to_rgb().to_hsl()
}
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn test_to_string() {
let cmyk = Cmyk::new(30, 50, 60, 40).unwrap();
assert_eq!(cmyk.to_string(), String::from("cmyk(30%, 50%, 60%, 40%)"));
}
#[test]
fn test_to_hex_string() {
let hex = Cmyk::new(30, 50, 60, 40).unwrap().to_hex_string();
assert_eq!(hex, String::from("#6b4d3d"));
}
#[test]
fn test_to_rgb() {
let hex = Cmyk::new(30, 50, 60, 40).unwrap().to_rgb();
assert_eq!(hex, Rgb::new(107, 77, 61));
}
#[should_panic]
#[test]
fn test_checked_cmyk() {
Cmyk::new(255, 255, 255, 255).unwrap();
}
}