scolapasta_strbuf/
vec.rs

1use alloc::borrow::Cow;
2use alloc::boxed::Box;
3use alloc::collections::TryReserveError;
4use alloc::string::String;
5use alloc::vec::{IntoIter, Vec};
6use core::borrow::{Borrow, BorrowMut};
7use core::fmt;
8use core::ops::{Deref, DerefMut};
9use core::slice::{Iter, IterMut};
10#[cfg(feature = "std")]
11use std::io::{self, IoSlice, Write};
12
13use raw_parts::RawParts;
14
15/// A contiguous growable byte string, written as `Buf`, short for "buffer".
16///
17/// This buffer is a transparent wrapper around [`Vec<u8>`] with a minimized API
18/// sufficient for implementing the Ruby [`String`] type.
19///
20/// This buffer does not assume any encoding. Encoding is a higher-level concept
21/// that should be built on top of `Buf`.
22///
23/// # Examples
24///
25/// ```
26/// use scolapasta_strbuf::Buf;
27///
28/// let mut buf = Buf::new();
29/// buf.push_byte(b'a');
30/// buf.push_byte(b'z');
31///
32/// assert_eq!(buf.len(), 2);
33/// assert_eq!(buf[0], b'a');
34///
35/// assert_eq!(buf.pop_byte(), Some(b'z'));
36/// assert_eq!(buf.len(), 1);
37///
38/// buf[0] = b'!';
39/// assert_eq!(buf[0], b'!');
40///
41/// buf.extend(b"excite!!!");
42///
43/// for byte in &buf {
44///     println!("{byte}");
45/// }
46/// assert_eq!(buf, b"!excite!!!");
47/// ```
48///
49/// # Indexing
50///
51/// The `Buf` type allows to access values by index, because it implements the
52/// [`Index`] trait. An example will be more explicit:
53///
54/// ```
55/// use scolapasta_strbuf::Buf;
56///
57/// let buf = Buf::from(b"scolapasta-strbuf");
58/// println!("{}", buf[1]); // it will display 'c'
59/// ```
60///
61/// However be careful: if you try to access an index which isn't in the `Buf`,
62/// your software will panic! You cannot do this:
63///
64/// ```should_panic
65/// use scolapasta_strbuf::Buf;
66///
67/// let buf = Buf::from(b"scolapasta-strbuf");
68/// println!("{}", buf[100]); // it will panic!
69/// ```
70///
71/// # Capacity and reallocation
72///
73/// The capacity of a buffer is the amount of space allocated for any future
74/// bytes that will be added onto the buffer. This is not to be confused with
75/// the _length_ of a buffer, which specifies the number of actual bytes within
76/// the buffer. If a buffer's length exceeds its capacity, its capacity will
77/// automatically be increased, but its contents will have to be reallocated.
78///
79/// For example, a buffer with capacity 10 and length 0 would be an empty buffer
80/// with space for 10 more bytes. Pushing 10 or fewer bytes into the buffer will
81/// not change its capacity or cause reallocation to occur. However, if the
82/// buffer's length is increased to 11, it will have to reallocate, which can be
83/// slow. For this reason, it is recommended to use `Buf::with_capacity`
84/// whenever possible to specify how big the buffer is expected to get.
85///
86/// # Guarantees
87///
88/// `Buf` is guaranteed to be a `repr(transparent)` wrapper around a `Vec<u8>`,
89/// which means it shares all the same [guarantees as a `Vec`]. See the upstream
90/// documentation in [`std`][vec-docs] for more details.
91///
92/// [`Vec<u8>`]: Vec
93/// [`String`]: https://ruby-doc.org/3.2.0/String.html
94/// [`Index`]: core::ops::Index
95/// [guarantees as a `Vec`]: https://doc.rust-lang.org/std/vec/struct.Vec.html#guarantees
96/// [vec-docs]: mod@alloc::vec
97#[repr(transparent)]
98#[derive(Default, Debug, Clone, Hash, PartialEq, Eq, PartialOrd, Ord)]
99pub struct Buf {
100    inner: Vec<u8>,
101}
102
103impl Buf {
104    /// Consume this buffer and return its inner [`Vec<u8>`].
105    ///
106    /// # Examples
107    ///
108    /// ```
109    /// use scolapasta_strbuf::Buf;
110    ///
111    /// let buf = Buf::from(b"abc");
112    /// let vec: Vec<u8> = buf.into_inner();
113    /// assert_eq!(vec, b"abc");
114    /// ```
115    ///
116    /// [`Vec<u8>`]: Vec
117    #[inline]
118    #[must_use]
119    pub fn into_inner(self) -> Vec<u8> {
120        self.inner
121    }
122}
123
124impl From<Vec<u8>> for Buf {
125    #[inline]
126    fn from(vec: Vec<u8>) -> Self {
127        Self { inner: vec }
128    }
129}
130
131impl<'a> From<&'a [u8]> for Buf {
132    #[inline]
133    fn from(s: &'a [u8]) -> Self {
134        let vec = s.to_vec();
135        Self::from(vec)
136    }
137}
138
139impl<'a> From<&'a mut [u8]> for Buf {
140    #[inline]
141    fn from(s: &'a mut [u8]) -> Self {
142        let vec = s.to_vec();
143        Self::from(vec)
144    }
145}
146
147impl<const N: usize> From<[u8; N]> for Buf {
148    #[inline]
149    fn from(s: [u8; N]) -> Self {
150        let vec = Vec::from(s);
151        Self::from(vec)
152    }
153}
154
155impl<'a, const N: usize> From<&'a [u8; N]> for Buf {
156    #[inline]
157    fn from(s: &'a [u8; N]) -> Self {
158        let vec = s.to_vec();
159        Self::from(vec)
160    }
161}
162
163impl<'a, const N: usize> From<&'a mut [u8; N]> for Buf {
164    #[inline]
165    fn from(s: &'a mut [u8; N]) -> Self {
166        let vec = s.to_vec();
167        Self::from(vec)
168    }
169}
170
171impl<'a> From<Cow<'a, [u8]>> for Buf {
172    #[inline]
173    fn from(s: Cow<'a, [u8]>) -> Self {
174        let vec = s.into_owned();
175        Self::from(vec)
176    }
177}
178
179impl From<String> for Buf {
180    #[inline]
181    fn from(s: String) -> Self {
182        let vec = s.into_bytes();
183        Self::from(vec)
184    }
185}
186
187impl<'a> From<&'a str> for Buf {
188    #[inline]
189    fn from(s: &'a str) -> Self {
190        let vec = s.as_bytes().to_vec();
191        Self::from(vec)
192    }
193}
194
195impl<'a> From<&'a mut str> for Buf {
196    #[inline]
197    fn from(s: &'a mut str) -> Self {
198        let vec = s.as_bytes().to_vec();
199        Self::from(vec)
200    }
201}
202
203impl<'a> From<Cow<'a, str>> for Buf {
204    #[inline]
205    fn from(s: Cow<'a, str>) -> Self {
206        let vec = s.into_owned().into_bytes();
207        Self::from(vec)
208    }
209}
210
211impl From<Buf> for Vec<u8> {
212    #[inline]
213    fn from(buf: Buf) -> Self {
214        buf.inner
215    }
216}
217
218impl<const N: usize> TryFrom<Buf> for [u8; N] {
219    type Error = Buf;
220
221    #[inline]
222    fn try_from(buf: Buf) -> Result<Self, Self::Error> {
223        match buf.into_inner().try_into() {
224            Ok(array) => Ok(array),
225            Err(vec) => Err(vec.into()),
226        }
227    }
228}
229
230impl From<Buf> for Cow<'_, [u8]> {
231    #[inline]
232    fn from(buf: Buf) -> Self {
233        Cow::Owned(buf.into())
234    }
235}
236
237impl AsRef<[u8]> for Buf {
238    #[inline]
239    fn as_ref(&self) -> &[u8] {
240        self.inner.as_ref()
241    }
242}
243
244impl AsMut<[u8]> for Buf {
245    #[inline]
246    fn as_mut(&mut self) -> &mut [u8] {
247        self.inner.as_mut()
248    }
249}
250
251impl Borrow<[u8]> for Buf {
252    fn borrow(&self) -> &[u8] {
253        self
254    }
255}
256
257impl BorrowMut<[u8]> for Buf {
258    fn borrow_mut(&mut self) -> &mut [u8] {
259        self
260    }
261}
262
263impl Deref for Buf {
264    type Target = [u8];
265
266    #[inline]
267    fn deref(&self) -> &Self::Target {
268        &self.inner
269    }
270}
271
272impl DerefMut for Buf {
273    #[inline]
274    fn deref_mut(&mut self) -> &mut Self::Target {
275        &mut self.inner
276    }
277}
278
279impl FromIterator<u8> for Buf {
280    #[inline]
281    fn from_iter<T>(iter: T) -> Self
282    where
283        T: IntoIterator<Item = u8>,
284    {
285        let inner = iter.into_iter().collect();
286        Self { inner }
287    }
288}
289
290impl Extend<u8> for Buf {
291    #[inline]
292    fn extend<I: IntoIterator<Item = u8>>(&mut self, iter: I) {
293        self.inner.extend(iter);
294    }
295}
296
297impl<'a> Extend<&'a u8> for Buf {
298    #[inline]
299    fn extend<I: IntoIterator<Item = &'a u8>>(&mut self, iter: I) {
300        self.inner.extend(iter.into_iter().copied());
301    }
302}
303
304impl_partial_eq!(Buf, Vec<u8>);
305impl_partial_eq!(Buf, &'a Vec<u8>);
306impl_partial_eq!(Buf, [u8]);
307impl_partial_eq!(Buf, &'a [u8]);
308impl_partial_eq!(Buf, &'a mut [u8]);
309impl_partial_eq!(Buf, String);
310impl_partial_eq!(Buf, &'a String);
311impl_partial_eq!(Buf, str);
312impl_partial_eq!(Buf, &'a str);
313impl_partial_eq!(Buf, &'a mut str);
314impl_partial_eq_array!(Buf, [u8; N]);
315impl_partial_eq_array!(Buf, &'a [u8; N]);
316impl_partial_eq_array!(Buf, &'a mut [u8; N]);
317
318impl IntoIterator for Buf {
319    type Item = u8;
320    type IntoIter = IntoIter<u8>;
321
322    fn into_iter(self) -> Self::IntoIter {
323        self.into_inner().into_iter()
324    }
325}
326
327impl<'a> IntoIterator for &'a Buf {
328    type Item = &'a u8;
329    type IntoIter = Iter<'a, u8>;
330
331    fn into_iter(self) -> Self::IntoIter {
332        self.iter()
333    }
334}
335
336impl<'a> IntoIterator for &'a mut Buf {
337    type Item = &'a mut u8;
338    type IntoIter = IterMut<'a, u8>;
339
340    fn into_iter(self) -> Self::IntoIter {
341        self.iter_mut()
342    }
343}
344
345/// Minimal [`Vec`] API.
346impl Buf {
347    /// Constructs a new, empty `Buf`.
348    ///
349    /// The buffer will not allocate until bytes are pushed into it.
350    ///
351    /// # Examples
352    ///
353    /// ```
354    /// use scolapasta_strbuf::Buf;
355    ///
356    /// let mut buf = Buf::new();
357    /// ```
358    #[inline]
359    #[must_use]
360    pub fn new() -> Self {
361        let inner = Vec::new();
362        Self { inner }
363    }
364
365    /// Constructs a new, empty `Buf` with at least the specified capacity.
366    ///
367    /// The buffer will be able to hold at least `capacity` bytes without
368    /// reallocating. This method is allowed to allocate for more elements than
369    /// `capacity`. If `capacity` is 0, the buffer will not allocate.
370    ///
371    /// It is important to note that although the returned buffer has the
372    /// minimum *capacity* specified, the vector will have a zero *length*. For
373    /// an explanation of the difference between length and capacity, see
374    /// *[Capacity and reallocation]*.
375    ///
376    /// If it is important to know the exact allocated capacity of a `Buf`,
377    /// always use the [`capacity`] method after construction.
378    ///
379    /// [Capacity and reallocation]: #capacity-and-reallocation
380    /// [`capacity`]: Self::capacity
381    ///
382    /// # Panics
383    ///
384    /// Panics if the new capacity exceeds `isize::MAX` bytes.
385    ///
386    /// # Examples
387    ///
388    /// ```
389    /// use scolapasta_strbuf::Buf;
390    ///
391    /// let mut buf = Buf::with_capacity(26);
392    ///
393    /// // The buffer is empty, even though it has capacity for more
394    /// assert_eq!(buf.len(), 0);
395    /// assert!(buf.capacity() >= 26);
396    ///
397    /// // These are all done without reallocating...
398    /// for ch in b'a'..=b'z' {
399    ///     buf.push_byte(ch);
400    /// }
401    /// assert_eq!(buf.len(), 26);
402    /// assert!(buf.capacity() >= 26);
403    ///
404    /// // ...but this may make the buffer reallocate
405    /// buf.push_byte(b'!');
406    /// assert_eq!(buf.len(), 27);
407    /// assert!(buf.capacity() >= 27);
408    /// ```
409    #[inline]
410    #[must_use]
411    pub fn with_capacity(capacity: usize) -> Self {
412        let inner = Vec::with_capacity(capacity);
413        Self { inner }
414    }
415
416    /// Creates a `Buf` directly from a pointer, a capacity, and a length.
417    ///
418    /// # Safety
419    ///
420    /// This is highly unsafe, due to the number of invariants that aren't
421    /// checked.
422    ///
423    /// Refer to the safety documentation for [`Vec::from_raw_parts`] for more
424    /// details.
425    ///
426    /// # Examples
427    ///
428    /// ```
429    /// use core::ptr;
430    ///
431    /// use raw_parts::RawParts;
432    /// use scolapasta_strbuf::Buf;
433    ///
434    /// let buf = Buf::from(b"abcde");
435    /// let RawParts { ptr, length, capacity } = buf.into_raw_parts();
436    ///
437    /// unsafe {
438    ///     ptr::write(ptr, b'A');
439    ///     ptr::write(ptr.add(1), b'B');
440    ///
441    ///     let raw_parts = RawParts { ptr, length, capacity };
442    ///     let rebuilt = Buf::from_raw_parts(raw_parts);
443    ///
444    ///     assert_eq!(rebuilt, b"ABcde");
445    /// }
446    /// ```
447    #[inline]
448    #[must_use]
449    pub unsafe fn from_raw_parts(raw_parts: RawParts<u8>) -> Self {
450        // SAFETY: Callers ensure that the raw parts safety invariants are
451        // upheld.
452        let inner = unsafe { raw_parts.into_vec() };
453        Self { inner }
454    }
455
456    /// Decomposes a `Buf` into its raw components.
457    ///
458    /// Returns the raw pointer to the underlying bytes, the length of the
459    /// buffer (in bytes), and the allocated capacity of the data (in bytes).
460    ///
461    /// After calling this function, the caller is responsible for the memory
462    /// previously managed by the `Buf`. The only way to do this is to convert
463    /// the raw pointer, length, and capacity back into a `Buf` with the
464    /// [`from_raw_parts`] function, allowing the destructor to perform the cleanup.
465    ///
466    /// [`from_raw_parts`]: Self::from_raw_parts
467    ///
468    /// # Examples
469    ///
470    /// ```
471    /// use core::ptr;
472    ///
473    /// use raw_parts::RawParts;
474    /// use scolapasta_strbuf::Buf;
475    ///
476    /// let buf = Buf::from(b"abcde");
477    /// let RawParts { ptr, length, capacity } = buf.into_raw_parts();
478    ///
479    /// unsafe {
480    ///     ptr::write(ptr, b'A');
481    ///     ptr::write(ptr.add(1), b'B');
482    ///
483    ///     let raw_parts = RawParts { ptr, length, capacity };
484    ///     let rebuilt = Buf::from_raw_parts(raw_parts);
485    ///
486    ///     assert_eq!(rebuilt, b"ABcde");
487    /// }
488    /// ```
489    #[inline]
490    #[must_use]
491    pub fn into_raw_parts(self) -> RawParts<u8> {
492        RawParts::from_vec(self.inner)
493    }
494
495    /// Returns the total number of bytes the buffer can hold without
496    /// reallocating.
497    ///
498    /// # Examples
499    ///
500    /// ```
501    /// # #[cfg(not(feature = "nul-terminated"))]
502    /// # {
503    /// use scolapasta_strbuf::Buf;
504    ///
505    /// let mut buf = Buf::with_capacity(10);
506    /// buf.push_byte(b'!');
507    /// assert_eq!(buf.capacity(), 10);
508    /// # }
509    /// ```
510    #[inline]
511    #[must_use]
512    pub fn capacity(&self) -> usize {
513        self.inner.capacity()
514    }
515
516    /// Reserves capacity for at least `additional` more bytes to be inserted in
517    /// the given `Buf`.
518    ///
519    /// The buffer may reserve more space to speculatively avoid frequent
520    /// reallocations. After calling `reserve`, capacity will be greater than or
521    /// equal to `self.len() + additional`. Does nothing if capacity is already
522    /// sufficient.
523    ///
524    /// # Panics
525    ///
526    /// Panics if the new capacity exceeds `isize::MAX` bytes.
527    ///
528    /// # Examples
529    ///
530    /// ```
531    /// use scolapasta_strbuf::Buf;
532    ///
533    /// let mut buf = Buf::from(b"@");
534    /// buf.reserve(10);
535    /// assert!(buf.capacity() >= 11);
536    /// ```
537    #[inline]
538    pub fn reserve(&mut self, additional: usize) {
539        self.inner.reserve(additional);
540    }
541
542    /// Reserves the minimum capacity for at least `additional` more bytes to
543    /// be inserted in the given `Buf`.
544    ///
545    /// Unlike [`reserve`], this will not deliberately over-allocate to
546    /// speculatively avoid frequent allocations. After calling `reserve_exact`,
547    /// capacity will be greater than or equal to `self.len() + additional`.
548    /// Does nothing if the capacity is already sufficient.
549    ///
550    /// Note that the allocator may give the buffer more space than it requests.
551    /// Therefore, capacity can not be relied upon to be precisely minimal.
552    /// Prefer [`reserve`] if future insertions are expected.
553    ///
554    /// [`reserve`]: Self::reserve
555    ///
556    /// # Panics
557    ///
558    /// Panics if the new capacity exceeds `isize::MAX` bytes.
559    ///
560    /// # Examples
561    ///
562    /// ```
563    /// use scolapasta_strbuf::Buf;
564    ///
565    /// let mut buf = Buf::from(b"@");
566    /// buf.reserve_exact(10);
567    /// assert!(buf.capacity() >= 11);
568    /// ```
569    #[inline]
570    pub fn reserve_exact(&mut self, additional: usize) {
571        self.inner.reserve_exact(additional);
572    }
573
574    /// Tries to reserve capacity for at least `additional` more bytes to be
575    /// inserted in the given `Buf`.
576    ///
577    /// The buffer may reserve more space to speculatively avoid frequent
578    /// reallocations. After calling `try_reserve`, capacity will be greater
579    /// than or equal to `self.len() + additional` if it returns `Ok(())`. Does
580    /// nothing if capacity is already sufficient. This method preserves the
581    /// byte contents even if an error occurs.
582    ///
583    /// # Errors
584    ///
585    /// If the capacity overflows, or the allocator reports a failure, then an
586    /// error is returned.
587    #[inline]
588    pub fn try_reserve(&mut self, additional: usize) -> Result<(), TryReserveError> {
589        self.inner.try_reserve(additional)
590    }
591
592    /// Tries to reserve the minimum capacity for at least `additional`
593    /// elements to be inserted in the given `Buf`.
594    ///
595    /// Unlike [`try_reserve`], this will not deliberately over-allocate to
596    /// speculatively avoid frequent allocations. After calling
597    /// `try_reserve_exact`, capacity will be greater than or equal to
598    /// `self.len() + additional` if it returns `Ok(())`. Does nothing if the
599    /// capacity is already sufficient.
600    ///
601    /// Note that the allocator may give the buffer more space than it requests.
602    /// Therefore, capacity can not be relied upon to be precisely minimal.
603    /// Prefer [`try_reserve`] if future insertions are expected.
604    ///
605    /// [`try_reserve`]: Self::try_reserve
606    ///
607    /// # Errors
608    ///
609    /// If the capacity overflows, or the allocator reports a failure, then an
610    /// error is returned.
611    #[inline]
612    pub fn try_reserve_exact(&mut self, additional: usize) -> Result<(), TryReserveError> {
613        self.inner.try_reserve_exact(additional)
614    }
615
616    /// Shrinks the capacity of the buffer as much as possible.
617    ///
618    /// It will drop down as close as possible to the length but the allocator
619    /// may still inform the buffer that there is space for a few more bytes.
620    ///
621    /// # Examples
622    ///
623    /// ```
624    /// # #[cfg(not(feature = "nul-terminated"))]
625    /// # {
626    /// use scolapasta_strbuf::Buf;
627    ///
628    /// let mut buf = Buf::with_capacity(10);
629    /// buf.extend(b"123");
630    /// assert_eq!(buf.capacity(), 10);
631    /// buf.shrink_to(4);
632    /// assert!(buf.capacity() >= 4);
633    /// buf.shrink_to_fit();
634    /// assert!(buf.capacity() >= 3);
635    /// # }
636    /// ```
637    #[inline]
638    pub fn shrink_to_fit(&mut self) {
639        self.inner.shrink_to_fit();
640    }
641
642    /// Shrinks the capacity of the buffer with a lower bound.
643    ///
644    /// The capacity will remain at least as large as both the length and the
645    /// supplied value.
646    ///
647    /// If the current capacity is less than the lower limit, this is a no-op.
648    ///
649    /// # Examples
650    ///
651    /// ```
652    /// # #[cfg(not(feature = "nul-terminated"))]
653    /// # {
654    /// use scolapasta_strbuf::Buf;
655    ///
656    /// let mut buf = Buf::with_capacity(10);
657    /// buf.extend(b"123");
658    /// assert_eq!(buf.capacity(), 10);
659    /// buf.shrink_to(4);
660    /// assert!(buf.capacity() >= 4);
661    /// buf.shrink_to(0);
662    /// assert!(buf.capacity() >= 3);
663    /// # }
664    /// ```
665    #[inline]
666    pub fn shrink_to(&mut self, min_capacity: usize) {
667        self.inner.shrink_to(min_capacity);
668    }
669
670    /// Converts the buffer into [`Box<[u8]>`][owned slice].
671    ///
672    /// If the buffer has excess capacity, its bytes will be moved into a
673    /// newly-allocated buffer with exactly the right capacity.
674    ///
675    /// [owned slice]: Box
676    ///
677    /// # Examples
678    ///
679    /// ```
680    /// use scolapasta_strbuf::Buf;
681    ///
682    /// let buf = Buf::from(b"123");
683    ///
684    /// let slice = buf.into_boxed_slice();
685    /// ```
686    ///
687    /// Any excess capacity is removed:
688    ///
689    /// ```
690    /// # #[cfg(not(feature = "nul-terminated"))]
691    /// # {
692    /// use scolapasta_strbuf::Buf;
693    ///
694    /// let mut buf = Buf::with_capacity(10);
695    /// buf.extend(b"123");
696    ///
697    /// assert_eq!(buf.capacity(), 10);
698    /// let slice = buf.into_boxed_slice();
699    /// assert_eq!(slice.into_vec().capacity(), 3);
700    /// # }
701    /// ```
702    #[inline]
703    #[must_use]
704    pub fn into_boxed_slice(self) -> Box<[u8]> {
705        self.inner.into_boxed_slice()
706    }
707
708    /// Shorten the buffer, keeping the first `len` bytes and dropping the rest.
709    ///
710    /// If `len` is greater than the buffer's current length, this has no
711    /// effect.
712    ///
713    /// Note that this method has no effect on the allocated capacity of the
714    /// buffer.
715    ///
716    /// # Examples
717    ///
718    /// Truncating a five byte buffer to two bytes:
719    ///
720    /// ```
721    /// use scolapasta_strbuf::Buf;
722    ///
723    /// let mut buf = Buf::from(b"12345");
724    /// buf.truncate(2);
725    /// assert_eq!(buf, b"12");
726    /// ```
727    ///
728    /// No truncation occurs when `len` is greater than the buffer's current
729    /// length:
730    ///
731    /// ```
732    /// use scolapasta_strbuf::Buf;
733    ///
734    /// let mut buf = Buf::from(b"123");
735    /// buf.truncate(8);
736    /// assert_eq!(buf, b"123");
737    /// ```
738    ///
739    /// Truncating when `len == 0` is equivalent to calling the [`clear`]
740    /// method.
741    ///
742    /// ```
743    /// use scolapasta_strbuf::Buf;
744    ///
745    /// let mut buf = Buf::from(b"123");
746    /// buf.truncate(0);
747    /// assert_eq!(buf, b"");
748    /// ```
749    ///
750    /// [`clear`]: Self::clear
751    #[inline]
752    pub fn truncate(&mut self, len: usize) {
753        self.inner.truncate(len);
754    }
755
756    /// Extract a slice containing the entire buffer.
757    ///
758    /// Equivalent to `&buf[..]`.
759    #[inline]
760    #[must_use]
761    pub fn as_slice(&self) -> &[u8] {
762        self.inner.as_slice()
763    }
764
765    /// Extract a mutable slice containing the entire buffer.
766    ///
767    /// Equivalent to `&mut buf[..]`.
768    #[inline]
769    pub fn as_mut_slice(&mut self) -> &mut [u8] {
770        self.inner.as_mut_slice()
771    }
772
773    /// Return a raw pointer to the buffer's inner vec, or a dangling raw
774    /// pointer valid for zero sized reads if the buffer didn't allocate.
775    ///
776    /// The caller must ensure correct use of the pointer. See [`Vec::as_ptr`]
777    /// for more details.
778    #[inline]
779    #[must_use]
780    pub fn as_ptr(&self) -> *const u8 {
781        self.inner.as_ptr()
782    }
783
784    /// Return an unsafe mutable pointer to the buffer's inner vec, or a
785    /// dangling raw pointer valid for zero sized reads if the buffer didn't
786    /// allocate.
787    ///
788    /// The caller must ensure correct use of the pointer. See [`Vec::as_mut_ptr`]
789    /// for more details.
790    #[inline]
791    #[must_use]
792    pub fn as_mut_ptr(&mut self) -> *mut u8 {
793        self.inner.as_mut_ptr()
794    }
795
796    /// Force the length of the buffer to `new_len`.
797    ///
798    /// This is a low-level operation that maintains none of the normal
799    /// invariants of the type. Normally changing the length of a vector is done
800    /// using one of the safe operations instead, such as [`truncate`],
801    /// [`resize`], [`extend`], or [`clear`].
802    ///
803    /// [`truncate`]: Self::truncate
804    /// [`resize`]: Self::resize
805    /// [`extend`]: Self::extend
806    /// [`clear`]: Self::clear
807    ///
808    /// # Safety
809    ///
810    /// - `new_len` must be less than or equal to [`capacity()`].
811    /// - The elements at `old_len..new_len` must be initialized.
812    ///
813    /// [`capacity()`]: Self::capacity
814    #[inline]
815    pub unsafe fn set_len(&mut self, new_len: usize) {
816        // SAFETY: Caller has guaranteed the safety invariants of `Vec::set_len`
817        // are upheld.
818        unsafe {
819            self.inner.set_len(new_len);
820        }
821    }
822
823    /// Insert a byte at position `index` within the buffer, shifting all
824    /// elements after it to the right.
825    ///
826    /// # Panics
827    ///
828    /// Panics if `index > len`.
829    ///
830    /// # Examples
831    ///
832    /// ```
833    /// use scolapasta_strbuf::Buf;
834    ///
835    /// let mut buf = Buf::from(b"123");
836    /// buf.insert(1, b'4');
837    /// assert_eq!(buf, b"1423");
838    /// buf.insert(4, b'5');
839    /// assert_eq!(buf, b"14235");
840    /// ```
841    #[inline]
842    pub fn insert(&mut self, index: usize, element: u8) {
843        self.inner.insert(index, element);
844    }
845
846    /// Remove and return the byte at position `index` within the buffer,
847    /// shifting all bytes after it to the left.
848    ///
849    /// **Note**: Because this shifts over the remaining bytes, it has a
850    /// worst-case performance of *O*(*n*).
851    ///
852    /// # Panics
853    ///
854    /// Panics if `index` is out of bounds.
855    ///
856    /// # Examples
857    ///
858    /// ```
859    /// use scolapasta_strbuf::Buf;
860    ///
861    /// let mut buf = Buf::from(b"123");
862    /// assert_eq!(buf.remove(1), b'2');
863    /// assert_eq!(buf, b"13");
864    /// ```
865    #[inline]
866    #[track_caller]
867    pub fn remove(&mut self, index: usize) -> u8 {
868        self.inner.remove(index)
869    }
870
871    /// Retain only the bytes specified by the predicate.
872    ///
873    /// In other words, remove all bytes `b` for which `f(&b)` returns `false`.
874    /// This method operates in place, visiting each byte exactly once in the
875    /// original order, and preserves the order of the retained bytes.
876    ///
877    /// # Examples
878    ///
879    /// ```
880    /// use scolapasta_strbuf::Buf;
881    ///
882    /// let mut buf = Buf::from(b"abc, 123!");
883    /// buf.retain(|&b| b.is_ascii_alphanumeric());
884    /// assert_eq!(buf, b"abc123");
885    /// ```
886    ///
887    /// Because the bytes are visited exactly once in the original order,
888    /// external state may be used to decide which elements to keep.
889    ///
890    /// ```
891    /// use scolapasta_strbuf::Buf;
892    ///
893    /// let mut buf = Buf::from(b"abc, 123!");
894    /// let mut seen_space = false;
895    /// buf.retain(|&b| {
896    ///     if seen_space {
897    ///         true
898    ///     } else {
899    ///         seen_space = b.is_ascii_whitespace();
900    ///         false
901    ///     }
902    /// });
903    /// assert_eq!(buf, b"123!");
904    /// ```
905    #[inline]
906    pub fn retain<F>(&mut self, f: F)
907    where
908        F: FnMut(&u8) -> bool,
909    {
910        self.inner.retain(f);
911    }
912
913    /// Remove the last byte from the buffer and return it, or [`None`] if the
914    /// buffer is empty.
915    ///
916    /// # Examples
917    ///
918    /// ```
919    /// use scolapasta_strbuf::Buf;
920    ///
921    /// let mut buf = Buf::from(b"abc, 123!");
922    /// assert_eq!(buf.pop_byte(), Some(b'!'));
923    /// assert_eq!(buf, "abc, 123");
924    /// ```
925    #[inline]
926    pub fn pop_byte(&mut self) -> Option<u8> {
927        self.inner.pop()
928    }
929
930    /// Clear the buffer, removing all bytes.
931    ///
932    /// This method sets the length of the buffer to zero. Note that this method
933    /// has no effect on the allocated capacity of the buffer.
934    ///
935    /// # Examples
936    ///
937    /// ```
938    /// use scolapasta_strbuf::Buf;
939    ///
940    /// let mut buf = Buf::from(b"abc, 123!");
941    /// let capacity = buf.capacity();
942    ///
943    /// buf.clear();
944    ///
945    /// assert!(buf.is_empty());
946    /// assert_eq!(buf.capacity(), capacity);
947    /// ```
948    #[inline]
949    pub fn clear(&mut self) {
950        self.inner.clear();
951    }
952
953    /// Return the number of bytes in the buffer, also referred to as its
954    /// "length" or "bytesize".
955    ///
956    /// # Examples
957    ///
958    /// ```
959    /// use scolapasta_strbuf::Buf;
960    ///
961    /// let buf = Buf::from(b"abc");
962    /// assert_eq!(buf.len(), 3);
963    /// ```
964    #[inline]
965    #[must_use]
966    pub fn len(&self) -> usize {
967        self.inner.len()
968    }
969
970    /// Return `true` if the buffer has empty byte content.
971    ///
972    /// # Examples
973    ///
974    /// ```
975    /// use scolapasta_strbuf::Buf;
976    ///
977    /// let mut buf = Buf::new();
978    /// assert!(buf.is_empty());
979    ///
980    /// buf.push_byte(b'!');
981    /// assert!(!buf.is_empty());
982    /// ```
983    #[inline]
984    #[must_use]
985    pub fn is_empty(&self) -> bool {
986        self.inner.is_empty()
987    }
988
989    /// Resize the `Buf` in-place so that `len` is equal to `new_len`.
990    ///
991    /// If `new_len` is greater than `len`, the `Vec` is extended by the
992    /// difference, with each additional slot filled with `value`. If `new_len`
993    /// is less than `len`, the `Buf` is simply truncated.
994    ///
995    /// # Examples
996    ///
997    /// ```
998    /// use scolapasta_strbuf::Buf;
999    ///
1000    /// let mut buf = Buf::from(b"hello");
1001    /// buf.resize(8, b'!');
1002    /// assert_eq!(buf, b"hello!!!");
1003    ///
1004    /// let mut buf = Buf::from("wxyz");
1005    /// buf.resize(2, b'.');
1006    /// assert_eq!(buf, b"wx");
1007    /// ```
1008    #[inline]
1009    pub fn resize(&mut self, new_len: usize, value: u8) {
1010        self.inner.resize(new_len, value);
1011    }
1012
1013    /// Copy and append all bytes in the given slice to the `Buf`.
1014    ///
1015    /// Iterate over the slice `other`, copy each byte, and then append
1016    /// it to this `Buf`. The `other` slice is traversed in-order.
1017    ///
1018    /// # Examples
1019    ///
1020    /// ```
1021    /// use scolapasta_strbuf::Buf;
1022    ///
1023    /// let mut buf = Buf::from(b"h");
1024    /// buf.extend_from_slice(b"ello world");
1025    /// assert_eq!(buf, b"hello world");
1026    /// ```
1027    #[inline]
1028    pub fn extend_from_slice(&mut self, other: &[u8]) {
1029        self.inner.extend_from_slice(other);
1030    }
1031}
1032
1033/// Implementation of useful extension methods from [`bstr::ByteVec`].
1034///
1035/// [`bstr::ByteVec`]: https://docs.rs/bstr/latest/bstr/trait.ByteVec.html
1036impl Buf {
1037    /// Append the given byte to the end of this buffer.
1038    ///
1039    /// Note that this is equivalent to the generic [`Vec::push`] method. This
1040    /// method is provided to permit callers to explicitly differentiate
1041    /// between pushing bytes, codepoints and strings.
1042    ///
1043    /// # Examples
1044    ///
1045    /// ```
1046    /// use scolapasta_strbuf::Buf;
1047    ///
1048    /// let mut buf = Buf::from(b"abc");
1049    /// buf.push_byte(b'\xF0');
1050    /// buf.push_byte(b'\x9F');
1051    /// buf.push_byte(b'\xA6');
1052    /// buf.push_byte(b'\x80');
1053    /// assert_eq!(buf, "abc🦀");
1054    /// ```
1055    #[inline]
1056    pub fn push_byte(&mut self, byte: u8) {
1057        self.inner.push(byte);
1058    }
1059
1060    /// Append the given [`char`] to the end of the buffer.
1061    ///
1062    /// The given `char` is encoded to its UTF-8 byte sequence which is appended
1063    /// to the buffer.
1064    ///
1065    /// # Examples
1066    ///
1067    /// ```
1068    /// use scolapasta_strbuf::Buf;
1069    ///
1070    /// let mut buf = Buf::from(b"abc");
1071    /// buf.push_char('🦀');
1072    /// assert_eq!(buf, "abc🦀");
1073    /// ```
1074    #[inline]
1075    pub fn push_char(&mut self, ch: char) {
1076        let mut buf = [0; 4];
1077        let s = ch.encode_utf8(&mut buf[..]);
1078        self.push_str(s);
1079    }
1080
1081    /// Append the given slice to the end of this buffer.
1082    ///
1083    /// This method accepts any type that be converted to a `&[u8]`. This
1084    /// includes, but is not limited to, `&str`, `&Buf`, and of course, `&[u8]`
1085    /// itself.
1086    ///
1087    /// # Examples
1088    ///
1089    /// ```
1090    /// use scolapasta_strbuf::Buf;
1091    ///
1092    /// let mut buf = Buf::from(b"abc");
1093    /// buf.push_str("🦀");
1094    /// assert_eq!(buf, "abc🦀");
1095    ///
1096    /// buf.push_str(b"\xF0\x9F\xA6\x80");
1097    /// assert_eq!(buf, "abc🦀🦀");
1098    /// ```
1099    #[inline]
1100    pub fn push_str<B: AsRef<[u8]>>(&mut self, bytes: B) {
1101        self.extend_from_slice(bytes.as_ref());
1102    }
1103}
1104
1105impl fmt::Write for Buf {
1106    #[inline]
1107    fn write_str(&mut self, s: &str) -> fmt::Result {
1108        self.push_str(s);
1109        Ok(())
1110    }
1111
1112    #[inline]
1113    fn write_char(&mut self, c: char) -> fmt::Result {
1114        self.push_char(c);
1115        Ok(())
1116    }
1117}
1118
1119#[cfg(feature = "std")]
1120impl Write for Buf {
1121    #[inline]
1122    fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
1123        self.inner.write(buf)
1124    }
1125
1126    #[inline]
1127    fn write_vectored(&mut self, bufs: &[IoSlice<'_>]) -> io::Result<usize> {
1128        self.inner.write_vectored(bufs)
1129    }
1130
1131    #[inline]
1132    fn write_all(&mut self, buf: &[u8]) -> io::Result<()> {
1133        self.inner.write_all(buf)
1134    }
1135
1136    #[inline]
1137    fn flush(&mut self) -> io::Result<()> {
1138        self.inner.flush()
1139    }
1140}
1141
1142#[cfg(test)]
1143mod tests {
1144    use super::Buf;
1145
1146    #[test]
1147    fn default_is_new() {
1148        assert_eq!(Buf::default(), Buf::new());
1149    }
1150
1151    #[test]
1152    fn extra_capa_is_not_included_in_len() {
1153        let buf = Buf::new();
1154        assert!(buf.is_empty());
1155        assert_eq!(buf.len(), 0);
1156
1157        let buf = Buf::with_capacity(0);
1158        assert!(buf.is_empty());
1159        assert_eq!(buf.len(), 0);
1160
1161        let buf = Buf::with_capacity(100);
1162        assert!(buf.is_empty());
1163        assert_eq!(buf.len(), 0);
1164    }
1165
1166    #[test]
1167    fn clone_is_equal() {
1168        let buf = Buf::from("abc");
1169        assert_eq!(buf, buf.clone());
1170    }
1171
1172    #[test]
1173    fn try_reserve_overflow_is_err() {
1174        let mut buf = Buf::new();
1175        assert!(buf.try_reserve(usize::MAX).is_err());
1176        assert!(buf.is_empty());
1177        assert_eq!(buf.len(), 0);
1178    }
1179
1180    #[test]
1181    fn try_reserve_exact_overflow_is_err() {
1182        let mut buf = Buf::new();
1183        assert!(buf.try_reserve_exact(usize::MAX).is_err());
1184        assert!(buf.is_empty());
1185        assert_eq!(buf.len(), 0);
1186    }
1187
1188    #[test]
1189    fn try_reserve_zero_is_ok() {
1190        let mut buf = Buf::new();
1191        assert!(buf.try_reserve(0).is_ok());
1192        assert_eq!(buf.capacity(), 0);
1193        assert!(buf.is_empty());
1194        assert_eq!(buf.len(), 0);
1195    }
1196
1197    #[test]
1198    fn try_reserve_exact_zero_is_ok() {
1199        let mut buf = Buf::new();
1200        assert!(buf.try_reserve_exact(0).is_ok());
1201        assert_eq!(buf.capacity(), 0);
1202        assert!(buf.is_empty());
1203        assert_eq!(buf.len(), 0);
1204    }
1205}