123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546 |
- use core::fmt;
- #[derive(Debug, Clone, Copy, PartialEq, Eq)]
- pub struct TooManyHolesError;
- /// A contiguous chunk of absent data, followed by a contiguous chunk of present data.
- #[derive(Debug, Clone, Copy, PartialEq, Eq)]
- #[cfg_attr(feature = "defmt", derive(defmt::Format))]
- struct Contig {
- hole_size: usize,
- data_size: usize,
- }
- impl fmt::Display for Contig {
- fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
- if self.has_hole() {
- write!(f, "({})", self.hole_size)?;
- }
- if self.has_hole() && self.has_data() {
- write!(f, " ")?;
- }
- if self.has_data() {
- write!(f, "{}", self.data_size)?;
- }
- Ok(())
- }
- }
- impl Contig {
- fn empty() -> Contig {
- Contig {
- hole_size: 0,
- data_size: 0,
- }
- }
- fn hole(size: usize) -> Contig {
- Contig {
- hole_size: size,
- data_size: 0,
- }
- }
- fn hole_and_data(hole_size: usize, data_size: usize) -> Contig {
- Contig {
- hole_size,
- data_size,
- }
- }
- fn has_hole(&self) -> bool {
- self.hole_size != 0
- }
- fn has_data(&self) -> bool {
- self.data_size != 0
- }
- fn total_size(&self) -> usize {
- self.hole_size + self.data_size
- }
- fn is_empty(&self) -> bool {
- self.total_size() == 0
- }
- fn expand_data_by(&mut self, size: usize) {
- self.data_size += size;
- }
- fn shrink_hole_by(&mut self, size: usize) {
- self.hole_size -= size;
- }
- fn shrink_hole_to(&mut self, size: usize) {
- debug_assert!(self.hole_size >= size);
- let total_size = self.total_size();
- self.hole_size = size;
- self.data_size = total_size - size;
- }
- }
- #[cfg(all(feature = "alloc", not(feature = "std")))]
- use alloc::boxed::Box;
- #[cfg(feature = "std")]
- use std::boxed::Box;
- #[cfg(any(feature = "std", feature = "alloc"))]
- const CONTIG_COUNT: usize = 32;
- #[cfg(not(any(feature = "std", feature = "alloc")))]
- const CONTIG_COUNT: usize = 4;
- /// A buffer (re)assembler.
- ///
- /// Currently, up to a hardcoded limit of 4 or 32 holes can be tracked in the buffer.
- #[derive(Debug, PartialEq, Eq, Clone)]
- #[cfg_attr(feature = "defmt", derive(defmt::Format))]
- pub struct Assembler {
- #[cfg(not(any(feature = "std", feature = "alloc")))]
- contigs: [Contig; CONTIG_COUNT],
- #[cfg(any(feature = "std", feature = "alloc"))]
- contigs: Box<[Contig; CONTIG_COUNT]>,
- }
- impl fmt::Display for Assembler {
- fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
- write!(f, "[ ")?;
- for contig in self.contigs.iter() {
- if contig.is_empty() {
- break;
- }
- write!(f, "{} ", contig)?;
- }
- write!(f, "]")?;
- Ok(())
- }
- }
- impl Assembler {
- /// Create a new buffer assembler for buffers of the given size.
- pub fn new(size: usize) -> Assembler {
- #[cfg(not(any(feature = "std", feature = "alloc")))]
- let mut contigs = [Contig::empty(); CONTIG_COUNT];
- #[cfg(any(feature = "std", feature = "alloc"))]
- let mut contigs = Box::new([Contig::empty(); CONTIG_COUNT]);
- contigs[0] = Contig::hole(size);
- Assembler { contigs }
- }
- /// FIXME(whitequark): remove this once I'm certain enough that the assembler works well.
- #[allow(dead_code)]
- pub(crate) fn total_size(&self) -> usize {
- self.contigs.iter().map(|contig| contig.total_size()).sum()
- }
- fn front(&self) -> Contig {
- self.contigs[0]
- }
- /// Return length of the front contiguous range without removing it from the assembler
- pub fn peek_front(&self) -> Option<usize> {
- let front = self.front();
- if front.has_hole() {
- None
- } else {
- Some(front.data_size)
- }
- }
- fn back(&self) -> Contig {
- self.contigs[self.contigs.len() - 1]
- }
- /// Return whether the assembler contains no data.
- pub fn is_empty(&self) -> bool {
- !self.front().has_data()
- }
- /// Remove a contig at the given index, and return a pointer to the first contig
- /// without data.
- fn remove_contig_at(&mut self, at: usize) -> &mut Contig {
- debug_assert!(!self.contigs[at].is_empty());
- for i in at..self.contigs.len() - 1 {
- self.contigs[i] = self.contigs[i + 1];
- if !self.contigs[i].has_data() {
- self.contigs[i + 1] = Contig::empty();
- return &mut self.contigs[i];
- }
- }
- // Removing the last one.
- self.contigs[at] = Contig::empty();
- &mut self.contigs[at]
- }
- /// Add a contig at the given index, and return a pointer to it.
- fn add_contig_at(&mut self, at: usize) -> Result<&mut Contig, TooManyHolesError> {
- debug_assert!(!self.contigs[at].is_empty());
- if !self.back().is_empty() {
- return Err(TooManyHolesError);
- }
- for i in (at + 1..self.contigs.len()).rev() {
- self.contigs[i] = self.contigs[i - 1];
- }
- self.contigs[at] = Contig::empty();
- Ok(&mut self.contigs[at])
- }
- /// Add a new contiguous range to the assembler, and return `Ok(bool)`,
- /// or return `Err(())` if too many discontiguities are already recorded.
- /// Returns `Ok(true)` when there was an overlap.
- pub fn add(&mut self, mut offset: usize, mut size: usize) -> Result<bool, TooManyHolesError> {
- let mut index = 0;
- let mut overlap = size;
- while index != self.contigs.len() && size != 0 {
- let contig = self.contigs[index];
- if offset >= contig.total_size() {
- // The range being added does not cover this contig, skip it.
- index += 1;
- } else if offset == 0 && size >= contig.hole_size && index > 0 {
- // The range being added covers the entire hole in this contig, merge it
- // into the previous config.
- self.contigs[index - 1].expand_data_by(contig.total_size());
- overlap -= contig.total_size();
- self.remove_contig_at(index);
- index += 0;
- } else if offset == 0 && size < contig.hole_size && index > 0 {
- // The range being added covers a part of the hole in this contig starting
- // at the beginning, shrink the hole in this contig and expand data in
- // the previous contig.
- self.contigs[index - 1].expand_data_by(size);
- self.contigs[index].shrink_hole_by(size);
- overlap -= size;
- index += 1;
- } else if offset <= contig.hole_size && offset + size >= contig.hole_size {
- // The range being added covers both a part of the hole and a part of the data
- // in this contig, shrink the hole in this contig.
- overlap -= contig.hole_size - offset;
- self.contigs[index].shrink_hole_to(offset);
- index += 1;
- } else if offset + size >= contig.hole_size {
- // The range being added covers only a part of the data in this contig, skip it.
- index += 1;
- } else if offset + size < contig.hole_size {
- // The range being added covers a part of the hole but not of the data
- // in this contig, add a new contig containing the range.
- {
- let inserted = self.add_contig_at(index)?;
- *inserted = Contig::hole_and_data(offset, size);
- overlap -= size;
- }
- // Previous contigs[index] got moved to contigs[index+1]
- self.contigs[index + 1].shrink_hole_by(offset + size);
- index += 2;
- } else {
- unreachable!()
- }
- // Skip the portion of the range covered by this contig.
- if offset >= contig.total_size() {
- offset = offset.saturating_sub(contig.total_size());
- } else {
- size = (offset + size).saturating_sub(contig.total_size());
- offset = 0;
- }
- }
- debug_assert!(size == 0);
- Ok(overlap != 0)
- }
- /// Remove a contiguous range from the front of the assembler and `Some(data_size)`,
- /// or return `None` if there is no such range.
- pub fn remove_front(&mut self) -> Option<usize> {
- let front = self.front();
- if front.has_hole() {
- None
- } else {
- let last_hole = self.remove_contig_at(0);
- last_hole.hole_size += front.data_size;
- debug_assert!(front.data_size > 0);
- Some(front.data_size)
- }
- }
- /// Iterate over all of the contiguous data ranges.
- ///
- /// This is used in calculating what data ranges have been received. The offset indicates the
- /// number of bytes of contiguous data received before the beginnings of this Assembler.
- ///
- /// Data Hole Data
- /// |--- 100 ---|--- 200 ---|--- 100 ---|
- ///
- /// An offset of 1500 would return the ranges: ``(1500, 1600), (1800, 1900)``
- pub fn iter_data(&self, first_offset: usize) -> AssemblerIter {
- AssemblerIter::new(self, first_offset)
- }
- }
- pub struct AssemblerIter<'a> {
- assembler: &'a Assembler,
- offset: usize,
- index: usize,
- left: usize,
- right: usize,
- }
- impl<'a> AssemblerIter<'a> {
- fn new(assembler: &'a Assembler, offset: usize) -> AssemblerIter<'a> {
- AssemblerIter {
- assembler,
- offset,
- index: 0,
- left: 0,
- right: 0,
- }
- }
- }
- impl<'a> Iterator for AssemblerIter<'a> {
- type Item = (usize, usize);
- fn next(&mut self) -> Option<(usize, usize)> {
- let mut data_range = None;
- while data_range.is_none() && self.index < self.assembler.contigs.len() {
- let contig = self.assembler.contigs[self.index];
- self.left += contig.hole_size;
- self.right = self.left + contig.data_size;
- data_range = if self.left < self.right {
- let data_range = (self.left + self.offset, self.right + self.offset);
- self.left = self.right;
- Some(data_range)
- } else {
- None
- };
- self.index += 1;
- }
- data_range
- }
- }
- #[cfg(test)]
- mod test {
- use super::*;
- use std::vec::Vec;
- impl From<Vec<(usize, usize)>> for Assembler {
- fn from(vec: Vec<(usize, usize)>) -> Assembler {
- #[cfg(not(any(feature = "std", feature = "alloc")))]
- let mut contigs = [Contig::empty(); CONTIG_COUNT];
- #[cfg(any(feature = "std", feature = "alloc"))]
- let mut contigs = Box::new([Contig::empty(); CONTIG_COUNT]);
- for (i, &(hole_size, data_size)) in vec.iter().enumerate() {
- contigs[i] = Contig {
- hole_size,
- data_size,
- };
- }
- Assembler { contigs }
- }
- }
- macro_rules! contigs {
- [$( $x:expr ),*] => ({
- Assembler::from(vec![$( $x ),*])
- })
- }
- #[test]
- fn test_new() {
- let assr = Assembler::new(16);
- assert_eq!(assr.total_size(), 16);
- assert_eq!(assr, contigs![(16, 0)]);
- }
- #[test]
- fn test_empty_add_full() {
- let mut assr = Assembler::new(16);
- assert_eq!(assr.add(0, 16), Ok(false));
- assert_eq!(assr, contigs![(0, 16)]);
- }
- #[test]
- fn test_empty_add_front() {
- let mut assr = Assembler::new(16);
- assert_eq!(assr.add(0, 4), Ok(false));
- assert_eq!(assr, contigs![(0, 4), (12, 0)]);
- }
- #[test]
- fn test_empty_add_back() {
- let mut assr = Assembler::new(16);
- assert_eq!(assr.add(12, 4), Ok(false));
- assert_eq!(assr, contigs![(12, 4)]);
- }
- #[test]
- fn test_empty_add_mid() {
- let mut assr = Assembler::new(16);
- assert_eq!(assr.add(4, 8), Ok(false));
- assert_eq!(assr, contigs![(4, 8), (4, 0)]);
- }
- #[test]
- fn test_partial_add_front() {
- let mut assr = contigs![(4, 8), (4, 0)];
- assert_eq!(assr.add(0, 4), Ok(false));
- assert_eq!(assr, contigs![(0, 12), (4, 0)]);
- }
- #[test]
- fn test_partial_add_back() {
- let mut assr = contigs![(4, 8), (4, 0)];
- assert_eq!(assr.add(12, 4), Ok(false));
- assert_eq!(assr, contigs![(4, 12)]);
- }
- #[test]
- fn test_partial_add_front_overlap() {
- let mut assr = contigs![(4, 8), (4, 0)];
- assert_eq!(assr.add(0, 8), Ok(true));
- assert_eq!(assr, contigs![(0, 12), (4, 0)]);
- }
- #[test]
- fn test_partial_add_front_overlap_split() {
- let mut assr = contigs![(4, 8), (4, 0)];
- assert_eq!(assr.add(2, 6), Ok(true));
- assert_eq!(assr, contigs![(2, 10), (4, 0)]);
- }
- #[test]
- fn test_partial_add_back_overlap() {
- let mut assr = contigs![(4, 8), (4, 0)];
- assert_eq!(assr.add(8, 8), Ok(true));
- assert_eq!(assr, contigs![(4, 12)]);
- }
- #[test]
- fn test_partial_add_back_overlap_split() {
- let mut assr = contigs![(4, 8), (4, 0)];
- assert_eq!(assr.add(10, 4), Ok(true));
- assert_eq!(assr, contigs![(4, 10), (2, 0)]);
- }
- #[test]
- fn test_partial_add_both_overlap() {
- let mut assr = contigs![(4, 8), (4, 0)];
- assert_eq!(assr.add(0, 16), Ok(true));
- assert_eq!(assr, contigs![(0, 16)]);
- }
- #[test]
- fn test_partial_add_both_overlap_split() {
- let mut assr = contigs![(4, 8), (4, 0)];
- assert_eq!(assr.add(2, 12), Ok(true));
- assert_eq!(assr, contigs![(2, 12), (2, 0)]);
- }
- #[test]
- fn test_rejected_add_keeps_state() {
- let mut assr = Assembler::new(CONTIG_COUNT * 20);
- for c in 1..=CONTIG_COUNT - 1 {
- assert_eq!(assr.add(c * 10, 3), Ok(false));
- }
- // Maximum of allowed holes is reached
- let assr_before = assr.clone();
- assert_eq!(assr.add(1, 3), Err(TooManyHolesError));
- assert_eq!(assr_before, assr);
- }
- #[test]
- fn test_empty_remove_front() {
- let mut assr = contigs![(12, 0)];
- assert_eq!(assr.remove_front(), None);
- }
- #[test]
- fn test_trailing_hole_remove_front() {
- let mut assr = contigs![(0, 4), (8, 0)];
- assert_eq!(assr.remove_front(), Some(4));
- assert_eq!(assr, contigs![(12, 0)]);
- }
- #[test]
- fn test_trailing_data_remove_front() {
- let mut assr = contigs![(0, 4), (4, 4)];
- assert_eq!(assr.remove_front(), Some(4));
- assert_eq!(assr, contigs![(4, 4), (4, 0)]);
- }
- #[test]
- fn test_iter_empty() {
- let assr = Assembler::new(16);
- let segments: Vec<_> = assr.iter_data(10).collect();
- assert_eq!(segments, vec![]);
- }
- #[test]
- fn test_iter_full() {
- let mut assr = Assembler::new(16);
- assert_eq!(assr.add(0, 16), Ok(false));
- let segments: Vec<_> = assr.iter_data(10).collect();
- assert_eq!(segments, vec![(10, 26)]);
- }
- #[test]
- fn test_iter_offset() {
- let mut assr = Assembler::new(16);
- assert_eq!(assr.add(0, 16), Ok(false));
- let segments: Vec<_> = assr.iter_data(100).collect();
- assert_eq!(segments, vec![(100, 116)]);
- }
- #[test]
- fn test_iter_one_front() {
- let mut assr = Assembler::new(16);
- assert_eq!(assr.add(0, 4), Ok(false));
- let segments: Vec<_> = assr.iter_data(10).collect();
- assert_eq!(segments, vec![(10, 14)]);
- }
- #[test]
- fn test_iter_one_back() {
- let mut assr = Assembler::new(16);
- assert_eq!(assr.add(12, 4), Ok(false));
- let segments: Vec<_> = assr.iter_data(10).collect();
- assert_eq!(segments, vec![(22, 26)]);
- }
- #[test]
- fn test_iter_one_mid() {
- let mut assr = Assembler::new(16);
- assert_eq!(assr.add(4, 8), Ok(false));
- let segments: Vec<_> = assr.iter_data(10).collect();
- assert_eq!(segments, vec![(14, 22)]);
- }
- #[test]
- fn test_iter_one_trailing_gap() {
- let assr = contigs![(4, 8), (4, 0)];
- let segments: Vec<_> = assr.iter_data(100).collect();
- assert_eq!(segments, vec![(104, 112)]);
- }
- #[test]
- fn test_iter_two_split() {
- let assr = contigs![(2, 6), (4, 1), (1, 0)];
- let segments: Vec<_> = assr.iter_data(100).collect();
- assert_eq!(segments, vec![(102, 108), (112, 113)]);
- }
- #[test]
- fn test_iter_three_split() {
- let assr = contigs![(2, 6), (2, 1), (2, 2), (1, 0)];
- let segments: Vec<_> = assr.iter_data(100).collect();
- assert_eq!(segments, vec![(102, 108), (110, 111), (113, 115)]);
- }
- }
|