devela/data/collections/vec/chunk/mod.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 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 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334
// devela::data::collections::vec::chunk
//
//
// IMPROVE: bring benchmarks
use crate::{vec_ as vec, Rc, RefCell, Vec};
#[cfg(test)]
mod tests;
/// A persistent data structure that provides efficient append and concatenation operations.
///
/// # Overview
/// `VecChunk<A>` is an immutable data structure that allows O(1) complexity for append and
/// concatenation operations through structural sharing. It uses [`Rc`] (Reference Counting)
/// for efficient memory management.
///
/// # Performance
/// - Append operation: O(1)
/// - Concatenation operation: O(1)
/// - Converting to Vec: O(n)
///
/// # Implementation Details
/// The data structure is implemented as an enum with three variants:
/// - `Empty`: Represents an empty chunk
/// - `Append`: Represents a single element appended to another chunk
/// - `Concat`: Represents the concatenation of two chunks
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let mut chunk = VecChunk::default();
/// chunk = chunk.append(1);
/// chunk = chunk.append(2);
///
/// let other_chunk = VecChunk::default().append(3).append(4);
/// let combined = chunk.concat(other_chunk);
///
/// assert_eq!(combined.as_vec(), vec![1, 2, 3, 4]);
/// ```
///
/// # References
/// - [Persistent Data Structures](https://en.wikipedia.org/wiki/Persistent_data_structure)
/// - [Structural Sharing](https://hypirion.com/musings/understanding-persistent-vector-pt-1)
///
/// # Derived Work
#[doc = include_str!("./MODIFICATIONS.md")]
#[must_use]
#[derive(Clone)]
pub enum VecChunk<A> {
/// Represents an empty chunk with no elements
Empty,
/// Represents a chunk containing exactly one element
Single(A),
/// Represents the concatenation of two chunks, enabling O(1) concatenation
Concat(Rc<VecChunk<A>>, Rc<VecChunk<A>>),
/// Represents a collection of elements
Collect(Rc<RefCell<Vec<A>>>),
/// Represents a lazy transformation that flattens elements
TransformFlatten(Rc<VecChunk<A>>, Rc<dyn Fn(A) -> VecChunk<A>>),
}
impl<A> Default for VecChunk<A> {
/// Creates a new empty chunk.
///
/// This is equivalent to using [`VecChunk::Empty`].
fn default() -> Self {
VecChunk::Empty
}
}
impl<A> VecChunk<A> {
/// Creates a new chunk containing a single element.
///
/// # Arguments
/// * `a` - The element to store in the chunk
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let chunk: VecChunk<i32> = VecChunk::new(100);
/// assert!(!chunk.is_null());
/// ```
pub fn new(a: A) -> Self {
VecChunk::Single(a)
}
/// Returns `true` if the chunk is empty.
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let chunk: VecChunk<i32> = VecChunk::default();
/// assert!(chunk.is_null());
///
/// let non_empty = chunk.append(42);
/// assert!(!non_empty.is_null());
/// ```
pub fn is_null(&self) -> bool {
match self {
VecChunk::Empty => true,
VecChunk::Collect(vec) => vec.borrow().is_empty(),
_ => false,
}
}
/// Append a new element to the chunk.
///
/// This operation has O(1) complexity as it creates a new `Append` variant
/// that references the existing chunk through an [`Rc`].
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let chunk = VecChunk::default().append(1).append(2);
/// assert_eq!(chunk.as_vec(), vec![1, 2]);
/// ```
pub fn append(self, a: A) -> Self {
self.concat(VecChunk::new(a))
}
/// Prepend a new element to the beginning of the chunk.
///
/// This operation has O(1) complexity as it creates a new `Concat` variant
/// that references the existing chunk through an [`Rc`].
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let chunk = VecChunk::default().prepend(1).prepend(2);
/// assert_eq!(chunk.as_vec(), vec![2, 1]);
/// ```
pub fn prepend(self, a: A) -> Self {
if self.is_null() {
VecChunk::new(a)
} else {
VecChunk::new(a).concat(self)
}
}
/// Concatenates this chunk with another chunk.
///
/// This operation has O(1) complexity as it creates a new `Concat` variant
/// that references both chunks through [`Rc`]s.
///
/// # Performance Optimization
/// If either chunk is empty, returns the other chunk instead of creating
/// a new `Concat` variant.
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let chunk1 = VecChunk::default().append(1).append(2);
/// let chunk2 = VecChunk::default().append(3).append(4);
/// let combined = chunk1.concat(chunk2);
/// assert_eq!(combined.as_vec(), vec![1, 2, 3, 4]);
/// ```
pub fn concat(self, other: VecChunk<A>) -> VecChunk<A> {
match (self, other) {
// Handle null cases
(VecChunk::Empty, other) => other,
(this, VecChunk::Empty) => this,
(VecChunk::Single(a), VecChunk::Single(b)) => {
VecChunk::Collect(Rc::new(RefCell::new(vec![a, b])))
}
(VecChunk::Collect(vec), VecChunk::Single(a)) => {
if Rc::strong_count(&vec) == 1 {
// Only clone if there are no other references
vec.borrow_mut().push(a);
VecChunk::Collect(vec)
} else {
VecChunk::Concat(Rc::new(VecChunk::Collect(vec)), Rc::new(VecChunk::Single(a)))
}
}
// Handle all other cases with Concat
(this, that) => VecChunk::Concat(Rc::new(this), Rc::new(that)),
}
}
/// Transforms each element in the chunk using the provided function.
///
/// This method creates a lazy representation of the transformation without actually
/// performing it. The transformation is only executed when [`as_vec`](VecChunk::as_vec)
/// or [`as_vec_mut`](VecChunk::as_vec_mut) is called.
///
/// # Performance
/// - Creating the transformation: O(1)
/// - Executing the transformation (during [`as_vec`](VecChunk::as_vec)): O(n)
///
/// # Arguments
/// * `f` - A function that takes a reference to an element of type `A` and returns
/// a new element of type `A`
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let chunk = VecChunk::default().append(1).append(2).append(3);
/// // This operation is O(1) and doesn't actually transform the elements
/// let doubled = chunk.transform(|x| x * 2);
/// // The transformation happens here, when we call as_vec()
/// assert_eq!(doubled.as_vec(), vec![2, 4, 6]);
/// ```
pub fn transform(self, f: impl Fn(A) -> A + 'static) -> Self {
self.transform_flatten(move |a| VecChunk::new(f(a)))
}
/// Materializes a chunk by converting it into a collected form.
///
/// This method evaluates any lazy transformations and creates a new chunk containing
/// all elements in a `Collect` variant. This can be useful for performance when you
/// plan to reuse the chunk multiple times, as it prevents re-evaluation of transformations.
///
/// # Performance
/// - Time complexity: O(n) where n is the number of elements
/// - Space complexity: O(n) as it creates a new vector containing all elements
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let chunk = VecChunk::default()
/// .append(1)
/// .append(2)
/// .transform(|x| x * 2); // Lazy transformation
///
/// // Materialize the chunk to evaluate the transformation once
/// let materialized = chunk.materialize();
///
/// assert_eq!(materialized.as_vec(), vec![2, 4]);
/// ```
pub fn materialize(self) -> VecChunk<A>
where
A: Clone,
{
VecChunk::Collect(Rc::new(RefCell::new(self.as_vec())))
}
/// Transforms each element in the chunk into a new chunk and flattens the result.
///
/// This method creates a lazy representation of the transformation without actually
/// performing it. The transformation is only executed when [`as_vec`](VecChunk::as_vec)
/// or [`as_vec_mut`](VecChunk::as_vec_mut) is called.
///
/// # Performance
/// - Creating the transformation: O(1)
/// - Executing the transformation (during [`as_vec`](VecChunk::as_vec)): O(n)
///
/// # Arguments
/// * `f` - A function that takes an element of type `A` and returns
/// a new `VecChunk<A>`
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let chunk = VecChunk::default().append(1).append(2);
/// // Transform each number x into a chunk containing [x, x+1]
/// let expanded = chunk.transform_flatten(|x| {
/// VecChunk::default().append(x).append(x + 1)
/// });
/// assert_eq!(expanded.as_vec(), vec![1, 2, 2, 3]);
/// ```
pub fn transform_flatten(self, f: impl Fn(A) -> VecChunk<A> + 'static) -> Self {
VecChunk::TransformFlatten(Rc::new(self), Rc::new(f))
}
/// Converts the chunk into a vector of references to its elements.
///
/// This operation has O(n) complexity where n is the number of elements
/// in the chunk.
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let chunk = VecChunk::default().append(1).append(2).append(3);
/// assert_eq!(chunk.as_vec(), vec![1, 2, 3]);
/// ```
pub fn as_vec(&self) -> Vec<A>
where
A: Clone,
{
let mut vec = Vec::new();
self.as_vec_mut(&mut vec);
vec
}
/// Helper method that populates a vector with references to the chunk's elements.
///
/// This method is used internally by [`as_vec`](VecChunk::as_vec) to avoid
/// allocating multiple vectors during the traversal.
///
/// # Arguments
/// * `buf` - A mutable reference to a vector that will be populated with
/// references to the chunk's elements
pub fn as_vec_mut(&self, buf: &mut Vec<A>)
where
A: Clone,
{
match self {
VecChunk::Empty => {}
VecChunk::Single(a) => {
buf.push(a.clone());
}
VecChunk::Concat(a, b) => {
a.as_vec_mut(buf);
b.as_vec_mut(buf);
}
VecChunk::TransformFlatten(a, f) => {
let mut tmp = Vec::new();
a.as_vec_mut(&mut tmp);
for elem in tmp.into_iter() {
f(elem).as_vec_mut(buf);
}
}
VecChunk::Collect(vec) => {
buf.extend(vec.borrow().iter().cloned());
}
}
}
}
impl<A> FromIterator<A> for VecChunk<A> {
/// Creates a chunk from an iterator.
///
/// # Example
/// ```
/// # use devela::VecChunk;
/// let vec = vec![1, 2, 3];
/// let chunk: VecChunk<_> = vec.into_iter().collect();
/// assert_eq!(chunk.as_vec(), vec![1, 2, 3]);
/// ```
fn from_iter<T: IntoIterator<Item = A>>(iter: T) -> Self {
let vec: Vec<_> = iter.into_iter().collect();
VecChunk::Collect(Rc::new(RefCell::new(vec)))
}
}