-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathqclass.rs
49 lines (45 loc) · 1.31 KB
/
qclass.rs
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
/// The class of a DNS query.
///
/// # References
///
/// * [RFC 1035 Section 3.2.4](https://tools.ietf.org/rfc/rfc1035#section-3.2.4).
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
#[cfg_attr(feature = "defmt", derive(defmt::Format))]
#[cfg_attr(feature = "ufmt", derive(ufmt::derive::uDebug))]
#[repr(u16)]
pub enum Qclass {
/// Internet
IN = 1,
/// CSNET (obsolete)
CS = 2,
/// CHAOS
CH = 3,
/// Hesiod
HS = 4,
/// Any class
ANY = 5,
}
impl Qclass {
pub(crate) const fn high_byte(&self) -> u8 {
// I hope the compiler can figure out this is always zero
((*self as u16) >> 8) as u8
}
pub(crate) const fn low_byte(&self) -> u8 {
*self as u8
}
}
impl TryFrom<u16> for Qclass {
type Error = u16;
fn try_from(value: u16) -> Result<Self, Self::Error> {
// mdns responses will sometimes have the high bit set
// https://datatracker.ietf.org/doc/html/rfc6762#section-18.12
match value & 0b0111_1111 {
x if x == (Self::IN as u16) => Ok(Self::IN),
x if x == (Self::CS as u16) => Ok(Self::CS),
x if x == (Self::CH as u16) => Ok(Self::CH),
x if x == (Self::HS as u16) => Ok(Self::HS),
x if x == (Self::ANY as u16) => Ok(Self::ANY),
x => Err(x),
}
}
}