devela/text/str/ext_string.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
// devela::text::ext::string
//
//!
//
#[cfg(feature = "alloc")]
use crate::{Arc, Box, Rc, String, ToString};
/// Marker trait to prevent downstream implementations of the [`ExtString`] trait.
#[cfg(feature = "alloc")]
trait Sealed {}
#[cfg(feature = "alloc")]
impl Sealed for String {}
/// Extension trait providing additional methods for [`String`].
#[expect(private_bounds, reason = "Sealed")]
#[cfg(feature = "alloc")]
#[cfg_attr(feature = "nightly_doc", doc(notable_trait, cfg(feature = "alloc")))]
pub trait ExtString: Sealed {
/// Converts the string into a `Box<str>`.
///
/// Allows single ownership with exact allocation,
/// for when you don't need to clone or share.
fn to_box(self) -> Box<str>;
/// Converts the string into an `Rc<str>`.
///
/// Allows shared ownership with reference counting,
/// reducing memory duplication in single-threaded scenarios.
fn to_rc(self) -> Rc<str>;
/// Converts the string into an `Arc<str>`.
///
/// When you need shared ownership of a string slice across multiple threads.
fn to_arc(self) -> Arc<str>;
/// Returns a [`String`] 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::ExtString;
///
/// assert_eq!("2*4*6*8*11*14*", String::new_counter(14, '*'));
/// assert_eq!("_3_5_7_9_12_15_", String::new_counter(15, '_'));
/// ```
/// [0]: https://www.satisfice.com/blog/archives/22
#[must_use]
fn new_counter(length: usize, separator: char) -> String;
}
#[cfg(feature = "alloc")]
impl ExtString for String {
/// It just calls the method [`String::into_boxed_str`].
fn to_box(self) -> Box<str> {
self.into_boxed_str()
}
fn to_rc(self) -> Rc<str> {
Rc::from(self)
}
fn to_arc(self) -> Arc<str> {
Arc::from(self)
}
fn new_counter(mut length: usize, separator: char) -> String {
let mut cstr = String::new();
while length > 0 {
let mut tmpstr = separator.to_string();
tmpstr.push_str(&length.to_string().chars().rev().collect::<String>());
if tmpstr.len() > length {
tmpstr = tmpstr[..length].to_string();
}
cstr.push_str(&tmpstr);
length -= tmpstr.len();
}
cstr.chars().rev().collect::<String>()
}
}