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 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363
use std::slice::SliceIndex;
use crate::StringSlice;
#[allow(non_camel_case_types)]
/// Exactly the same as [`std::str`], except generic
pub type str32 = StringSlice<char>;
impl str32 {
/// Returns the length of `self`.
///
/// This length is in bytes, not [`char`]s or graphemes. In other words,
/// it may not be what a human considers the length of the string.
///
/// [`char`]: prim@char
///
/// # Examples
///
/// Basic usage:
///
/// ```
/// # use generic_str::String32;
/// assert_eq!(String32::from("foo").len(), 3);
/// assert_eq!(String32::from("ƒoo").len(), 3); // fancy f!
/// ```
#[inline]
pub fn len(&self) -> usize {
self.storage.as_ref().len()
}
/// Returns `true` if `self` has a length of zero bytes.
///
/// # Examples
///
/// Basic usage:
///
/// ```
/// # use generic_str::String32;
/// let s = String32::from("");
/// assert!(s.is_empty());
///
/// let s = String32::from("not empty");
/// assert!(!s.is_empty());
/// ```
#[inline]
pub fn is_empty(&self) -> bool {
self.storage.is_empty()
}
/// Converts a string slice to a raw pointer.
///
/// As string slices are a slice of bytes, the raw pointer points to a
/// [`char`]. This pointer will be pointing to the first byte of the string
/// slice.
///
/// The caller must ensure that the returned pointer is never written to.
/// If you need to mutate the contents of the string slice, use [`as_mut_ptr`].
///
/// [`as_mut_ptr`]: str::as_mut_ptr
///
/// # Examples
///
/// Basic usage:
///
/// ```
/// # use generic_str::String32;
/// let s = String32::from("Hello");
/// let ptr = s.as_ptr();
/// ```
#[inline]
pub fn as_ptr(&self) -> *const char {
self.storage.as_ref() as *const [char] as *const char
}
/// Converts a mutable string slice to a raw pointer.
///
/// As string slices are a slice of bytes, the raw pointer points to a
/// [`char`]. This pointer will be pointing to the first byte of the string
/// slice.
#[inline]
pub fn as_mut_ptr(&mut self) -> *mut char {
self.storage.as_mut() as *mut [char] as *mut char
}
/// Converts a mutable string slice to a raw pointer.
///
/// As string slices are a slice of bytes, the raw pointer points to a
/// [`char`]. This pointer will be pointing to the first byte of the string
/// slice.
#[inline]
pub fn from_slice(data: &[char]) -> &Self {
unsafe { std::mem::transmute(data) }
}
/// Converts a mutable string slice to a raw pointer.
///
/// As string slices are a slice of bytes, the raw pointer points to a
/// [`char`]. This pointer will be pointing to the first byte of the string
/// slice.
#[inline]
pub fn from_slice_mut(data: &mut [char]) -> &mut Self {
unsafe { std::mem::transmute(data) }
}
/// Returns a subslice of `str`.
///
/// This is the non-panicking alternative to indexing the `str`. Returns
/// [`None`] whenever equivalent indexing operation would panic.
///
/// # Examples
///
/// ```
/// # use generic_str::{str, String32};
/// let v = String32::from("🗻∈🌏");
///
/// assert_eq!(v.get(0..2).unwrap().to_owned(), String32::from("🗻∈"));
///
/// // out of bounds
/// assert!(v.get(..4).is_none());
/// ```
#[inline]
pub fn get<I: SliceIndex<Self>>(&self, i: I) -> Option<&I::Output> {
i.get(self.as_ref())
}
/// Returns a mutable subslice of `str`.
///
/// This is the non-panicking alternative to indexing the `str`. Returns
/// [`None`] whenever equivalent indexing operation would panic.
///
/// # Examples
///
/// ```
/// # use generic_str::{str, String32};
/// let mut v = String32::from("hello");
/// // correct length
/// assert!(v.get_mut(0..5).is_some());
/// // out of bounds
/// assert!(v.get_mut(..42).is_none());
///
/// {
/// let s = v.get_mut(0..2);
/// let s = s.map(|s| {
/// s.make_ascii_uppercase();
/// &*s
/// });
/// }
/// assert_eq!(v, String32::from("HEllo"));
/// ```
#[inline]
pub fn get_mut<I: SliceIndex<Self>>(&mut self, i: I) -> Option<&mut I::Output> {
i.get_mut(self.as_mut())
}
/// Returns an unchecked subslice of `str`.
///
/// This is the unchecked alternative to indexing the `str`.
///
/// # Safety
///
/// Callers of this function are responsible that these preconditions are
/// satisfied:
///
/// * The starting index must not exceed the ending index;
/// * Indexes must be within bounds of the original slice;
/// * Indexes must lie on UTF-8 sequence boundaries.
///
/// Failing that, the returned string slice may reference invalid memory or
/// violate the invariants communicated by the `str` type.
///
/// # Examples
///
/// ```
/// # use generic_str::String32;
/// let v = "🗻∈🌏";
/// unsafe {
/// assert_eq!(v.get_unchecked(0..4), "🗻");
/// assert_eq!(v.get_unchecked(4..7), "∈");
/// assert_eq!(v.get_unchecked(7..11), "🌏");
/// }
/// ```
#[inline]
pub unsafe fn get_unchecked<I: SliceIndex<Self>>(&self, i: I) -> &I::Output {
// SAFETY: the caller must uphold the safety contract for `get_unchecked`;
// the slice is dereferencable because `self` is a safe reference.
// The returned pointer is safe because impls of `SliceIndex` have to guarantee that it is.
&*i.get_unchecked(self)
}
/// Returns a mutable, unchecked subslice of `str`.
///
/// This is the unchecked alternative to indexing the `str`.
///
/// # Safety
///
/// Callers of this function are responsible that these preconditions are
/// satisfied:
///
/// * The starting index must not exceed the ending index;
/// * Indexes must be within bounds of the original slice;
/// * Indexes must lie on UTF-8 sequence boundaries.
///
/// Failing that, the returned string slice may reference invalid memory or
/// violate the invariants communicated by the `str` type.
///
/// # Examples
///
/// ```
/// # use generic_str::String32;
/// let mut v = String32::from("🗻∈🌏");
/// unsafe {
/// assert_eq!(*v.get_unchecked_mut(0..2), String32::from("🗻∈"));
/// }
/// ```
#[inline]
pub unsafe fn get_unchecked_mut<I: SliceIndex<Self>>(&mut self, i: I) -> &mut I::Output {
// SAFETY: the caller must uphold the safety contract for `get_unchecked_mut`;
// the slice is dereferencable because `self` is a safe reference.
// The returned pointer is safe because impls of `SliceIndex` have to guarantee that it is.
&mut *i.get_unchecked_mut(self)
}
/// Divide one string slice into two at an index.
///
/// The two slices returned go from the start of the string slice to `mid`,
/// and from `mid` to the end of the string slice.
///
/// To get mutable string slices instead, see the [`split_at_mut`]
/// method.
///
/// [`split_at_mut`]: str32::split_at_mut
///
/// # Panics
///
/// Panics if `mid` is past the end of the last code point of the string slice.
///
/// # Examples
///
/// Basic usage:
///
/// ```
/// # use generic_str::String32;
/// let s = String32::from("Per Martin-Löf");
///
/// let (first, last) = s.split_at(3);
///
/// assert_eq!(first.to_owned(), String32::from("Per"));
/// assert_eq!(last.to_owned(), String32::from(" Martin-Löf"));
/// ```
#[inline]
pub fn split_at(&self, mid: usize) -> (&Self, &Self) {
if mid <= self.len() {
unsafe {
(
self.get_unchecked(0..mid),
self.get_unchecked(mid..self.len()),
)
}
} else {
panic!("char index {} is out of bounds of `{}`", mid, self);
}
}
/// Divide one mutable string slice into two at an index.
///
/// The argument, `mid`, should be a byte offset from the start of the
/// string. It must also be on the boundary of a UTF-8 code point.
///
/// The two slices returned go from the start of the string slice to `mid`,
/// and from `mid` to the end of the string slice.
///
/// To get immutable string slices instead, see the [`split_at`] method.
///
/// [`split_at`]: str32::split_at
///
/// # Panics
///
/// Panics if `mid` is not on a UTF-8 code point boundary, or if it is
/// past the end of the last code point of the string slice.
///
/// # Examples
///
/// Basic usage:
///
/// ```
/// # use generic_str::String32;
/// let mut s = String32::from("Per Martin-Löf");
/// {
/// let (first, last) = s.split_at_mut(3);
/// first.make_ascii_uppercase();
/// assert_eq!(first.to_owned(), String32::from("PER"));
/// assert_eq!(last.to_owned(), String32::from(" Martin-Löf"));
/// }
/// assert_eq!(s, String32::from("PER Martin-Löf"));
/// ```
#[inline]
pub fn split_at_mut(&mut self, mid: usize) -> (&mut Self, &mut Self) {
// is_char_boundary checks that the index is in [0, .len()]
if mid < self.len() {
let len = self.len();
let ptr = self.as_mut_ptr();
// SAFETY: just checked that `mid` is on a char boundary.
unsafe {
(
Self::from_slice_mut(std::slice::from_raw_parts_mut(ptr, mid)),
Self::from_slice_mut(std::slice::from_raw_parts_mut(ptr.add(mid), len - mid)),
)
}
} else {
panic!("char index {} is out of bounds of `{}`", mid, self);
}
}
/// Converts this string to its ASCII upper case equivalent in-place.
///
/// ASCII letters 'a' to 'z' are mapped to 'A' to 'Z',
/// but non-ASCII letters are unchanged.
///
/// To return a new uppercased value without modifying the existing one, use
/// [`to_ascii_uppercase()`].
///
/// [`to_ascii_uppercase()`]: #method.to_ascii_uppercase
///
/// # Examples
///
/// ```
/// # use generic_str::String32;
/// let mut s = String32::from("Grüße, Jürgen ❤");
///
/// s.make_ascii_uppercase();
///
/// assert_eq!(s, String32::from("GRüßE, JüRGEN ❤"));
/// ```
#[inline]
pub fn make_ascii_uppercase(&mut self) {
self.storage.iter_mut().for_each(char::make_ascii_uppercase)
}
/// Converts this string to its ASCII lower case equivalent in-place.
///
/// ASCII letters 'A' to 'Z' are mapped to 'a' to 'z',
/// but non-ASCII letters are unchanged.
///
/// To return a new lowercased value without modifying the existing one, use
/// [`to_ascii_lowercase()`].
///
/// [`to_ascii_lowercase()`]: #method.to_ascii_lowercase
///
/// # Examples
///
/// ```
/// # use generic_str::String32;
/// let mut s = String32::from("GRÜßE, JÜRGEN ❤");
///
/// s.make_ascii_lowercase();
///
/// assert_eq!(s, String32::from("grÜße, jÜrgen ❤"));
/// ```
#[inline]
pub fn make_ascii_lowercase(&mut self) {
self.storage.iter_mut().for_each(char::make_ascii_lowercase)
}
}