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
use byteorder::{ByteOrder, LittleEndian};
use crate::{Errors, section::SectionCore};
pub enum PacketTime {
Absolute(f32),
Relative(u8),
}
#[derive(Clone, Debug)]
pub struct GenericSection<'a> {
core_len: usize,
data_type: u32,
data: &'a[u8],
}
impl GenericSection<'_> {
const TIME_BYTE: u8 = 0x80;
const TYPE_BYTE: u8 = 0x40;
const BPARAM_BYTE: u8 = 0x20;
const LENGTH_BYTE: u8 = 0x10;
#[warn(deprecated)]
pub fn bytes(&self) -> &[u8] { &self.data }
pub fn time(&self) -> PacketTime {
if self.data[0] & GenericSection::TIME_BYTE != 0 {
PacketTime::Relative(self.data[1])
} else {
PacketTime::Absolute(f32::from_bits(LittleEndian::read_u32(&self.data[1..5])))
}
}
pub fn params(&self) -> &[u8] {
let marker = self.data[0];
let params_offset = 1
+ if marker & GenericSection::TIME_BYTE != 0 {1} else {4}
+ if marker & GenericSection::LENGTH_BYTE != 0 {1} else {4}
+ if marker & GenericSection::TYPE_BYTE != 0 {0} else {2};
let params_len = if marker & GenericSection::BPARAM_BYTE != 0 {1} else {4};
&self.data[params_offset..params_offset+params_len]
}
pub fn data_type(&self) -> u32 {
self.data_type
}
pub fn from_slice(slice: &[u8], last_datatype: Option<u32>) -> Result<GenericSection, crate::error::Errors> {
if slice.len() == 0 {
return Err(crate::error::Errors::NoData);
}
let marker = slice[0];
let length_offset = 1 +
if marker & GenericSection::TIME_BYTE != 0 {1} else {4};
let type_offset = length_offset
+ if marker & GenericSection::LENGTH_BYTE != 0 {1} else {4};
let core_len = type_offset
+ if marker & GenericSection::TYPE_BYTE != 0 {0} else {2}
+ if marker & GenericSection::BPARAM_BYTE != 0 {1} else {4};
if slice.len() < core_len { return Err(Errors::BufferTooSmall); }
let data_len =
if marker & GenericSection::LENGTH_BYTE != 0 {
slice[length_offset] as usize
} else {
LittleEndian::read_u32(&slice[length_offset..]) as usize
};
if slice.len() < core_len + data_len { return Err(Errors::BufferTooSmall); }
let data_type =
if marker & GenericSection::TYPE_BYTE != 0 {
if last_datatype.is_none() { return Err(Errors::NoData); }
last_datatype.unwrap()
} else {
LittleEndian::read_u16(&slice[type_offset..]) as u32
};
Ok(GenericSection {
core_len,
data: &slice[..core_len+data_len],
data_type,
})
}
}
impl SectionCore for GenericSection<'_> {
const KIND: u8 = 0;
fn kind(&self) -> u8 {self.data[0]}
fn core_len(&self) -> usize { self.core_len }
fn data_len(&self) -> usize { self.data.len()-self.core_len }
fn raw_data(&self) -> std::option::Option<&[u8]> {
if self.data_len() == 0 { None } else { Some(&self.data[self.core_len..]) }
}
}