spinoso_string/center.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
use core::fmt;
use core::iter::{Cycle, FusedIterator, Take};
use core::slice;
use crate::chars::Chars;
/// Error returned when failing to construct a [`Center`] iterator.
///
/// This error is returned from [`String::center`]. See its documentation for
/// more detail.
///
/// This error corresponds to the [Ruby `ArgumentError` Exception class].
///
/// When the **std** feature of `spinoso-string` is enabled, this struct
/// implements [`std::error::Error`].
///
/// [`String::center`]: crate::String::center
/// [Ruby `ArgumentError` Exception class]: https://ruby-doc.org/core-3.1.2/ArgumentError.html
/// [`std::error::Error`]: https://doc.rust-lang.org/std/error/trait.Error.html
#[derive(Debug, Clone, Copy, Hash, PartialEq, Eq, PartialOrd, Ord)]
pub enum CenterError {
/// Error returned when calling [`String::center`] with an empty padding
/// byte string.
///
/// [`String::center`]: crate::String::center
ZeroWidthPadding,
}
impl CenterError {
pub const EXCEPTION_TYPE: &'static str = "ArgumentError";
/// Create a new zero width padding `CenterError`.
///
/// # Examples
///
/// ```
/// use spinoso_string::CenterError;
///
/// const ERR: CenterError = CenterError::zero_width_padding();
/// assert_eq!(ERR.message(), "zero width padding");
/// ```
#[inline]
#[must_use]
pub const fn zero_width_padding() -> Self {
Self::ZeroWidthPadding
}
/// Retrieve the exception message associated with this center error.
///
/// # Examples
///
/// ```
/// # use spinoso_string::CenterError;
/// let err = CenterError::zero_width_padding();
/// assert_eq!(err.message(), "zero width padding");
/// ```
#[inline]
#[must_use]
pub const fn message(self) -> &'static str {
"zero width padding"
}
}
impl fmt::Display for CenterError {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
let CenterError::ZeroWidthPadding = self;
f.write_str(self.message())
}
}
#[cfg(feature = "std")]
impl std::error::Error for CenterError {}
/// An iterator that yields a byte string centered within a padding byte string.
///
/// This struct is created by the [`center`] method on a Spinoso [`String`]. See
/// its documentation for more.
///
/// # Examples
///
/// ```
/// use spinoso_string::String;
/// # fn example() -> Result<(), spinoso_string::CenterError> {
/// let s = String::from("hello");
///
/// assert_eq!(s.center(4, None)?.collect::<Vec<_>>(), b"hello");
/// assert_eq!(
/// s.center(20, None)?.collect::<Vec<_>>(),
/// b" hello "
/// );
/// assert_eq!(
/// s.center(20, Some(&b"123"[..]))?.collect::<Vec<_>>(),
/// b"1231231hello12312312"
/// );
/// # Ok(())
/// # }
/// # example().unwrap();
/// ```
///
/// This iterator is [encoding-aware]. [Conventionally UTF-8] strings are
/// iterated by UTF-8 byte sequences.
///
/// ```
/// use spinoso_string::String;
/// # fn example() -> Result<(), spinoso_string::CenterError> {
/// let s = String::from("💎");
///
/// assert_eq!(s.center(3, None)?.collect::<Vec<_>>(), " 💎 ".as_bytes());
/// # Ok(())
/// # }
/// # example().unwrap();
/// ```
///
/// [`String`]: crate::String
/// [`center`]: crate::String::center
/// [encoding-aware]: crate::Encoding
/// [Conventionally UTF-8]: crate::Encoding::Utf8
#[derive(Debug, Clone)]
pub struct Center<'a, 'b> {
pub left: Take<Cycle<slice::Iter<'b, u8>>>,
pub next: Option<&'a [u8]>,
pub s: Chars<'a>,
pub right: Take<Cycle<slice::Iter<'b, u8>>>,
}
impl<'a, 'b> Default for Center<'a, 'b> {
#[inline]
fn default() -> Self {
Self::with_chars_width_and_padding(Chars::new(), 0, &[])
}
}
impl<'a, 'b> Center<'a, 'b> {
#[inline]
#[must_use]
pub(crate) fn with_chars_width_and_padding(s: Chars<'a>, padding_width: usize, padding: &'b [u8]) -> Self {
let pre_pad = padding_width / 2;
let post_pad = (padding_width + 1) / 2;
let left = padding.iter().cycle().take(pre_pad);
let right = padding.iter().cycle().take(post_pad);
Self {
left,
next: None,
s,
right,
}
}
}
impl<'a, 'b> Iterator for Center<'a, 'b> {
type Item = u8;
#[inline]
fn next(&mut self) -> Option<Self::Item> {
if let Some(&next) = self.left.next() {
return Some(next);
}
if let Some(next) = self.next.take() {
if let Some((&first, tail)) = next.split_first() {
self.next = Some(tail);
return Some(first);
}
}
if let Some(next) = self.s.next() {
if let Some((&first, tail)) = next.split_first() {
if !tail.is_empty() {
self.next = Some(tail);
}
return Some(first);
}
}
self.right.next().copied()
}
}
impl<'a, 'b> FusedIterator for Center<'a, 'b> {}
impl<'a, 'b> ExactSizeIterator for Center<'a, 'b> {}