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
use std::sync::Arc;
use crate::buffer::Buff;
use super::{post_decode, wrapped::WrappedReedSolomon};
#[derive(Debug)]
pub struct FrameDecoder {
data_shards: usize,
parity_shards: usize,
space: Vec<Vec<u8>>,
present: Vec<bool>,
present_count: usize,
rs_decoder: Arc<WrappedReedSolomon>,
done: bool,
}
impl FrameDecoder {
#[tracing::instrument(level = "trace")]
pub fn new(data_shards: usize, parity_shards: usize) -> Self {
FrameDecoder {
data_shards,
parity_shards,
present_count: 0,
space: vec![],
present: vec![false; data_shards + parity_shards],
rs_decoder: WrappedReedSolomon::new_cached(data_shards, parity_shards),
done: false,
}
}
#[tracing::instrument(level = "trace", skip(self, pkt))]
pub fn decode(&mut self, pkt: &[u8], pkt_idx: usize) -> Option<Vec<Buff>> {
if self.parity_shards == 0 {
self.done = true;
return Some(vec![post_decode(Buff::copy_from_slice(pkt))?]);
}
if self.space.is_empty() {
tracing::trace!("decode with pad len {}", pkt.len());
self.space = vec![vec![0u8; pkt.len()]; self.data_shards + self.parity_shards]
}
if self.space.len() <= pkt_idx {
return None;
}
if self.done
|| pkt_idx > self.space.len()
|| pkt_idx > self.present.len()
|| self.space[pkt_idx].len() != pkt.len()
{
return None;
}
self.space[pkt_idx].copy_from_slice(pkt);
if !self.present[pkt_idx] {
self.present_count += 1
}
self.present[pkt_idx] = true;
if pkt_idx < self.data_shards {
return Some(vec![post_decode(Buff::copy_from_slice(
&self.space[pkt_idx],
))?]);
}
if self.present_count < self.data_shards {
tracing::trace!("don't even attempt yet");
return None;
}
let mut ref_vec: Vec<(&mut [u8], bool)> = self
.space
.iter_mut()
.zip(self.present.iter())
.map(|(v, pres)| (v.as_mut(), *pres))
.collect();
tracing::trace!(
"attempting to reconstruct (data={}, parity={})",
self.data_shards,
self.parity_shards
);
self.rs_decoder.get_inner().reconstruct(&mut ref_vec).ok()?;
self.done = true;
let res = self
.space
.drain(0..)
.zip(self.present.iter().cloned())
.take(self.data_shards)
.filter_map(|(elem, present)| {
if !present {
post_decode(Buff::copy_from_slice(&elem))
} else {
None
}
})
.collect();
Some(res)
}
}