spinoso_string/enc/utf8/borrowed/
codepoints.rs1use core::str::Chars;
2
3use super::Utf8Str;
4use crate::CodepointsError;
5
6#[derive(Debug, Clone)]
7pub struct Codepoints<'a> {
8 inner: Chars<'a>,
9}
10
11impl<'a> TryFrom<&'a Utf8Str> for Codepoints<'a> {
12 type Error = CodepointsError;
13
14 #[inline]
15 fn try_from(s: &'a Utf8Str) -> Result<Self, Self::Error> {
16 match simdutf8::basic::from_utf8(s.as_bytes()) {
17 Ok(s) => Ok(Self { inner: s.chars() }),
18 Err(_) => Err(CodepointsError::invalid_utf8_codepoint()),
31 }
32 }
33}
34
35impl Iterator for Codepoints<'_> {
36 type Item = u32;
37
38 fn next(&mut self) -> Option<Self::Item> {
39 self.inner.next().map(u32::from)
40 }
41}
42
43impl Default for Codepoints<'_> {
44 #[inline]
45 fn default() -> Self {
46 Self { inner: "".chars() }
47 }
48}
49
50#[cfg(test)]
51mod tests {
52 use alloc::vec::Vec;
53
54 use super::*;
55
56 #[test]
57 fn test_valid_utf8() {
58 let s = Utf8Str::new("hellođź’Ž");
59 let codepoints = Codepoints::try_from(s).unwrap();
60 assert_eq!(codepoints.collect::<Vec<_>>(), &[104, 101, 108, 108, 111, 128_142]);
61 }
62
63 #[test]
64 fn test_invalid_utf8() {
65 let s = Utf8Str::new(b"hello\xFF");
66 let err = Codepoints::try_from(s).unwrap_err();
67 assert_eq!(err, CodepointsError::invalid_utf8_codepoint());
68 }
69}