devela/text/str/ext_str.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
// devela::text::ext::slice
//
//! Defines the [`ExtStr`] trait.
//
// WAIT: [str_as_str](https://github.com/rust-lang/rust/issues/130366)
// WAIT: [substr_range](https://github.com/rust-lang/rust/issues/126769)
// IMPROVE: use `NumToStr`
use crate::{cold_empty_string, iif, Str};
#[cfg(feature = "alloc")]
use crate::{Arc, Box, Rc};
use crate::{Ascii, Slice};
/// Marker trait to prevent downstream implementations of the [`ExtStr`] trait.
trait Sealed {}
impl Sealed for str {}
/// Extension trait providing additional methods for [`&str`].
#[cfg_attr(feature = "nightly_doc", doc(notable_trait))]
#[expect(private_bounds, reason = "Sealed")]
pub trait ExtStr: Sealed {
/// Converts the string slice into a `Box<str>`.
///
/// Allows single ownership with exact allocation,
/// for when you don't need to clone or share.
#[cfg(feature = "alloc")]
fn to_box(&self) -> Box<str>;
/// Converts the string slice into an `Rc<str>`.
///
/// Allows shared ownership with reference counting,
/// reducing memory duplication in single-threaded scenarios.
#[cfg(feature = "alloc")]
fn to_rc(&self) -> Rc<str>;
/// Converts the string slice into an `Arc<str>`.
///
/// When you need shared ownership of a string slice across multiple threads.
#[cfg(feature = "alloc")]
fn to_arc(&self) -> Arc<str>;
/// Repeats a string a given number of times into the provided `buffer`.
/// and returns a reference to the new `&str`.
/// # Examples
/// ```
/// use devela::ExtStr;
///
/// let mut buf = [0_u8; 12];
/// let repeated = "ay".repeat_into(3, &mut buf);
/// assert_eq![repeated, "ayayay"];
/// ```
/// # Features
/// Makes use of the `unsafe_str` feature if enabled.
///
/// For the *const* version see [`Str::repeat_into`].
#[must_use]
fn repeat_into<'input, const CAP: usize>(
&self,
n: usize,
buffer: &'input mut [u8; CAP],
) -> &'input str;
/// Returns a [`&str`] backed by a `buffer`, where you always know each
/// character's position.
///
/// A [*counter string*][0] is a graduated string of arbitrary `length`,
/// with a `separator` positioned after the immediately preceding number.
/// # Examples
/// ```
/// use devela::ExtStr;
///
/// let mut buf = [0; 15];
/// assert_eq!("2*4*6*8*11*14*", str::new_counter(&mut buf, 14, '*'));
/// assert_eq!("_3_5_7_9_12_15_", str::new_counter(&mut buf, 15, '_'));
/// ```
/// # Panics
/// Panics if `buffer.len() < length`, or if `!char.is_ascii()`.
///
/// # Features
/// Makes use of the `unsafe_str` feature if enabled.
///
/// For the *const* version see [`Str::new_counter`].
///
/// [0]: https://www.satisfice.com/blog/archives/22
#[must_use]
fn new_counter(buffer: &mut [u8], length: usize, separator: char) -> &str;
}
impl ExtStr for str {
#[cfg(feature = "alloc")]
fn to_box(&self) -> Box<str> {
Box::from(self)
}
#[cfg(feature = "alloc")]
fn to_rc(&self) -> Rc<str> {
Rc::from(self)
}
#[cfg(feature = "alloc")]
fn to_arc(&self) -> Arc<str> {
Arc::from(self)
}
fn repeat_into<'input, const CAP: usize>(
&self,
n: usize,
buffer: &'input mut [u8; CAP],
) -> &'input str {
// Str::repeat_into(self, n, buffer) // BENCH
let s_bytes = self.as_bytes();
let mut index = 0;
for _ in 0..n {
for &b in s_bytes {
iif![index == CAP; break];
buffer[index] = b;
index += 1;
}
}
#[cfg(any(feature = "safe_text", not(feature = "unsafe_str")))]
return Str::from_utf8(&buffer[..index]).unwrap();
#[cfg(all(not(feature = "safe_text"), feature = "unsafe_str"))]
// SAFETY: since self is a valid &str, checks are unneeded.
unsafe {
Str::from_utf8_unchecked(&buffer[..index])
}
}
fn new_counter(buffer: &mut [u8], length: usize, separator: char) -> &str {
assert![buffer.len() >= length];
if length == 0 {
cold_empty_string()
} else {
let separator = separator as u8;
let mut index = length - 1; // start writing from the end
let mut num = length; // the first number to write is the length
let mut separator_turn = true; // start writing the separator
let mut num_buf = Ascii(num).digits();
let mut num_bytes = Slice::trim_leading_bytes(&num_buf, b'0');
// IMPROVE:BENCH use NumToStr
// let mut num_buf = [0u8; 22];
// let mut num_bytes = num.to_bytes_base(10, &mut num_buf);
let mut num_len = num_bytes.len();
loop {
if separator_turn {
buffer[index] = separator;
} else {
iif![index > 0; index -= num_len - 1];
buffer[index..(num_len + index)].copy_from_slice(&num_bytes[..num_len]);
num = index;
num_buf = Ascii(num).digits();
num_bytes = Slice::trim_leading_bytes(&num_buf, b'0');
// IMPROVE: use NumToStr
// num_bytes = num.to_bytes_base(10, &mut num_buf);
num_len = num_bytes.len();
}
iif![index == 0; break; index -= 1];
separator_turn = !separator_turn;
}
#[cfg(any(feature = "safe_text", not(feature = "unsafe_str")))]
return Str::from_utf8(&buffer[..length]).unwrap();
#[cfg(all(not(feature = "safe_text"), feature = "unsafe_str"))]
// SAFETY: We are only using with Ascii characters
return unsafe { Str::from_utf8_unchecked(&buffer[..length]) };
}
}
}