1#![allow(dead_code)]
17
18#[cfg(test)]
19mod tests;
20
21use core::char::{MAX_LEN_UTF8, MAX_LEN_UTF16, encode_utf8_raw, encode_utf16_raw};
22use core::clone::CloneToUninit;
23use core::str::next_code_point;
24
25use crate::borrow::Cow;
26use crate::collections::TryReserveError;
27use crate::hash::{Hash, Hasher};
28use crate::iter::FusedIterator;
29use crate::rc::Rc;
30use crate::sync::Arc;
31use crate::sys_common::AsInner;
32use crate::{fmt, mem, ops, slice, str};
33
34const UTF8_REPLACEMENT_CHARACTER: &str = "\u{FFFD}";
35
36#[derive(Eq, PartialEq, Ord, PartialOrd, Clone, Copy)]
42pub struct CodePoint {
43 value: u32,
44}
45
46impl fmt::Debug for CodePoint {
49 #[inline]
50 fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
51 write!(formatter, "U+{:04X}", self.value)
52 }
53}
54
55impl CodePoint {
56 #[inline]
60 pub unsafe fn from_u32_unchecked(value: u32) -> CodePoint {
61 CodePoint { value }
62 }
63
64 #[inline]
68 pub fn from_u32(value: u32) -> Option<CodePoint> {
69 match value {
70 0..=0x10FFFF => Some(CodePoint { value }),
71 _ => None,
72 }
73 }
74
75 #[inline]
79 pub fn from_char(value: char) -> CodePoint {
80 CodePoint { value: value as u32 }
81 }
82
83 #[inline]
85 pub fn to_u32(&self) -> u32 {
86 self.value
87 }
88
89 #[inline]
91 pub fn to_lead_surrogate(&self) -> Option<u16> {
92 match self.value {
93 lead @ 0xD800..=0xDBFF => Some(lead as u16),
94 _ => None,
95 }
96 }
97
98 #[inline]
100 pub fn to_trail_surrogate(&self) -> Option<u16> {
101 match self.value {
102 trail @ 0xDC00..=0xDFFF => Some(trail as u16),
103 _ => None,
104 }
105 }
106
107 #[inline]
111 pub fn to_char(&self) -> Option<char> {
112 match self.value {
113 0xD800..=0xDFFF => None,
114 _ => Some(unsafe { char::from_u32_unchecked(self.value) }),
115 }
116 }
117
118 #[inline]
123 pub fn to_char_lossy(&self) -> char {
124 self.to_char().unwrap_or('\u{FFFD}')
125 }
126}
127
128#[derive(Eq, PartialEq, Ord, PartialOrd, Clone)]
133pub struct Wtf8Buf {
134 bytes: Vec<u8>,
135
136 is_known_utf8: bool,
143}
144
145impl ops::Deref for Wtf8Buf {
146 type Target = Wtf8;
147
148 fn deref(&self) -> &Wtf8 {
149 self.as_slice()
150 }
151}
152
153impl ops::DerefMut for Wtf8Buf {
154 fn deref_mut(&mut self) -> &mut Wtf8 {
155 self.as_mut_slice()
156 }
157}
158
159impl fmt::Debug for Wtf8Buf {
166 #[inline]
167 fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
168 fmt::Debug::fmt(&**self, formatter)
169 }
170}
171
172impl fmt::Display for Wtf8Buf {
175 fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
176 if let Some(s) = self.as_known_utf8() {
177 fmt::Display::fmt(s, formatter)
178 } else {
179 fmt::Display::fmt(&**self, formatter)
180 }
181 }
182}
183
184impl Wtf8Buf {
185 #[inline]
187 pub fn new() -> Wtf8Buf {
188 Wtf8Buf { bytes: Vec::new(), is_known_utf8: true }
189 }
190
191 #[inline]
193 pub fn with_capacity(capacity: usize) -> Wtf8Buf {
194 Wtf8Buf { bytes: Vec::with_capacity(capacity), is_known_utf8: true }
195 }
196
197 #[inline]
202 pub unsafe fn from_bytes_unchecked(value: Vec<u8>) -> Wtf8Buf {
203 Wtf8Buf { bytes: value, is_known_utf8: false }
204 }
205
206 #[inline]
212 pub fn from_string(string: String) -> Wtf8Buf {
213 Wtf8Buf { bytes: string.into_bytes(), is_known_utf8: true }
214 }
215
216 #[inline]
222 pub fn from_str(s: &str) -> Wtf8Buf {
223 Wtf8Buf { bytes: s.as_bytes().to_vec(), is_known_utf8: true }
224 }
225
226 pub fn clear(&mut self) {
227 self.bytes.clear();
228 self.is_known_utf8 = true;
229 }
230
231 pub fn from_wide(v: &[u16]) -> Wtf8Buf {
236 let mut string = Wtf8Buf::with_capacity(v.len());
237 for item in char::decode_utf16(v.iter().cloned()) {
238 match item {
239 Ok(ch) => string.push_char(ch),
240 Err(surrogate) => {
241 let surrogate = surrogate.unpaired_surrogate();
242 let code_point = unsafe { CodePoint::from_u32_unchecked(surrogate as u32) };
244 string.is_known_utf8 = false;
246 string.push_code_point_unchecked(code_point);
249 }
250 }
251 }
252 string
253 }
254
255 fn push_code_point_unchecked(&mut self, code_point: CodePoint) {
259 let mut bytes = [0; MAX_LEN_UTF8];
260 let bytes = encode_utf8_raw(code_point.value, &mut bytes);
261 self.bytes.extend_from_slice(bytes)
262 }
263
264 #[inline]
265 pub fn as_slice(&self) -> &Wtf8 {
266 unsafe { Wtf8::from_bytes_unchecked(&self.bytes) }
267 }
268
269 #[inline]
270 pub fn as_mut_slice(&mut self) -> &mut Wtf8 {
271 unsafe { Wtf8::from_mut_bytes_unchecked(&mut self.bytes) }
275 }
276
277 #[inline]
280 fn as_known_utf8(&self) -> Option<&str> {
281 if self.is_known_utf8 {
282 Some(unsafe { str::from_utf8_unchecked(self.as_bytes()) })
284 } else {
285 None
286 }
287 }
288
289 #[inline]
297 pub fn reserve(&mut self, additional: usize) {
298 self.bytes.reserve(additional)
299 }
300
301 #[inline]
313 pub fn try_reserve(&mut self, additional: usize) -> Result<(), TryReserveError> {
314 self.bytes.try_reserve(additional)
315 }
316
317 #[inline]
318 pub fn reserve_exact(&mut self, additional: usize) {
319 self.bytes.reserve_exact(additional)
320 }
321
322 #[inline]
339 pub fn try_reserve_exact(&mut self, additional: usize) -> Result<(), TryReserveError> {
340 self.bytes.try_reserve_exact(additional)
341 }
342
343 #[inline]
344 pub fn shrink_to_fit(&mut self) {
345 self.bytes.shrink_to_fit()
346 }
347
348 #[inline]
349 pub fn shrink_to(&mut self, min_capacity: usize) {
350 self.bytes.shrink_to(min_capacity)
351 }
352
353 #[inline]
354 pub fn leak<'a>(self) -> &'a mut Wtf8 {
355 unsafe { Wtf8::from_mut_bytes_unchecked(self.bytes.leak()) }
356 }
357
358 #[inline]
360 pub fn capacity(&self) -> usize {
361 self.bytes.capacity()
362 }
363
364 #[inline]
366 pub fn push_str(&mut self, other: &str) {
367 self.bytes.extend_from_slice(other.as_bytes())
368 }
369
370 #[inline]
376 pub fn push_wtf8(&mut self, other: &Wtf8) {
377 match ((&*self).final_lead_surrogate(), other.initial_trail_surrogate()) {
378 (Some(lead), Some(trail)) => {
380 let len_without_lead_surrogate = self.len() - 3;
381 self.bytes.truncate(len_without_lead_surrogate);
382 let other_without_trail_surrogate = &other.bytes[3..];
383 self.bytes.reserve(4 + other_without_trail_surrogate.len());
385 self.push_char(decode_surrogate_pair(lead, trail));
386 self.bytes.extend_from_slice(other_without_trail_surrogate);
387 }
388 _ => {
389 if self.is_known_utf8 && other.next_surrogate(0).is_some() {
392 self.is_known_utf8 = false;
393 }
394
395 self.bytes.extend_from_slice(&other.bytes);
396 }
397 }
398 }
399
400 #[inline]
402 pub fn push_char(&mut self, c: char) {
403 self.push_code_point_unchecked(CodePoint::from_char(c))
404 }
405
406 #[inline]
412 pub fn push(&mut self, code_point: CodePoint) {
413 if let Some(trail) = code_point.to_trail_surrogate() {
414 if let Some(lead) = (&*self).final_lead_surrogate() {
415 let len_without_lead_surrogate = self.len() - 3;
416 self.bytes.truncate(len_without_lead_surrogate);
417 self.push_char(decode_surrogate_pair(lead, trail));
418 return;
419 }
420
421 self.is_known_utf8 = false;
423 } else if code_point.to_lead_surrogate().is_some() {
424 self.is_known_utf8 = false;
426 }
427
428 self.push_code_point_unchecked(code_point)
430 }
431
432 #[inline]
439 pub fn truncate(&mut self, new_len: usize) {
440 assert!(is_code_point_boundary(self, new_len));
441 self.bytes.truncate(new_len)
442 }
443
444 #[inline]
446 pub fn into_bytes(self) -> Vec<u8> {
447 self.bytes
448 }
449
450 pub fn into_string(self) -> Result<String, Wtf8Buf> {
458 if self.is_known_utf8 || self.next_surrogate(0).is_none() {
459 Ok(unsafe { String::from_utf8_unchecked(self.bytes) })
460 } else {
461 Err(self)
462 }
463 }
464
465 pub fn into_string_lossy(mut self) -> String {
471 if !self.is_known_utf8 {
472 let mut pos = 0;
473 while let Some((surrogate_pos, _)) = self.next_surrogate(pos) {
474 pos = surrogate_pos + 3;
475 self.bytes[surrogate_pos..pos]
478 .copy_from_slice(UTF8_REPLACEMENT_CHARACTER.as_bytes());
479 }
480 }
481 unsafe { String::from_utf8_unchecked(self.bytes) }
482 }
483
484 #[inline]
486 pub fn into_box(self) -> Box<Wtf8> {
487 unsafe { mem::transmute(self.bytes.into_boxed_slice()) }
489 }
490
491 pub fn from_box(boxed: Box<Wtf8>) -> Wtf8Buf {
493 let bytes: Box<[u8]> = unsafe { mem::transmute(boxed) };
494 Wtf8Buf { bytes: bytes.into_vec(), is_known_utf8: false }
495 }
496
497 #[inline]
501 pub(crate) fn extend_from_slice(&mut self, other: &[u8]) {
502 self.bytes.extend_from_slice(other);
503 self.is_known_utf8 = false;
504 }
505}
506
507impl FromIterator<CodePoint> for Wtf8Buf {
512 fn from_iter<T: IntoIterator<Item = CodePoint>>(iter: T) -> Wtf8Buf {
513 let mut string = Wtf8Buf::new();
514 string.extend(iter);
515 string
516 }
517}
518
519impl Extend<CodePoint> for Wtf8Buf {
524 fn extend<T: IntoIterator<Item = CodePoint>>(&mut self, iter: T) {
525 let iterator = iter.into_iter();
526 let (low, _high) = iterator.size_hint();
527 self.bytes.reserve(low);
529 iterator.for_each(move |code_point| self.push(code_point));
530 }
531
532 #[inline]
533 fn extend_one(&mut self, code_point: CodePoint) {
534 self.push(code_point);
535 }
536
537 #[inline]
538 fn extend_reserve(&mut self, additional: usize) {
539 self.bytes.reserve(additional);
541 }
542}
543
544#[derive(Eq, Ord, PartialEq, PartialOrd)]
549#[repr(transparent)]
550pub struct Wtf8 {
551 bytes: [u8],
552}
553
554impl AsInner<[u8]> for Wtf8 {
555 #[inline]
556 fn as_inner(&self) -> &[u8] {
557 &self.bytes
558 }
559}
560
561impl fmt::Debug for Wtf8 {
565 fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
566 fn write_str_escaped(f: &mut fmt::Formatter<'_>, s: &str) -> fmt::Result {
567 use crate::fmt::Write;
568 for c in s.chars().flat_map(|c| c.escape_debug()) {
569 f.write_char(c)?
570 }
571 Ok(())
572 }
573
574 formatter.write_str("\"")?;
575 let mut pos = 0;
576 while let Some((surrogate_pos, surrogate)) = self.next_surrogate(pos) {
577 write_str_escaped(formatter, unsafe {
578 str::from_utf8_unchecked(&self.bytes[pos..surrogate_pos])
579 })?;
580 write!(formatter, "\\u{{{:x}}}", surrogate)?;
581 pos = surrogate_pos + 3;
582 }
583 write_str_escaped(formatter, unsafe { str::from_utf8_unchecked(&self.bytes[pos..]) })?;
584 formatter.write_str("\"")
585 }
586}
587
588impl fmt::Display for Wtf8 {
591 fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
592 let wtf8_bytes = &self.bytes;
593 let mut pos = 0;
594 loop {
595 match self.next_surrogate(pos) {
596 Some((surrogate_pos, _)) => {
597 formatter.write_str(unsafe {
598 str::from_utf8_unchecked(&wtf8_bytes[pos..surrogate_pos])
599 })?;
600 formatter.write_str(UTF8_REPLACEMENT_CHARACTER)?;
601 pos = surrogate_pos + 3;
602 }
603 None => {
604 let s = unsafe { str::from_utf8_unchecked(&wtf8_bytes[pos..]) };
605 if pos == 0 { return s.fmt(formatter) } else { return formatter.write_str(s) }
606 }
607 }
608 }
609 }
610}
611
612impl Wtf8 {
613 #[inline]
617 pub fn from_str(value: &str) -> &Wtf8 {
618 unsafe { Wtf8::from_bytes_unchecked(value.as_bytes()) }
619 }
620
621 #[inline]
626 pub unsafe fn from_bytes_unchecked(value: &[u8]) -> &Wtf8 {
627 unsafe { &*(value as *const [u8] as *const Wtf8) }
629 }
630
631 #[inline]
636 unsafe fn from_mut_bytes_unchecked(value: &mut [u8]) -> &mut Wtf8 {
637 unsafe { &mut *(value as *mut [u8] as *mut Wtf8) }
639 }
640
641 #[inline]
643 pub fn len(&self) -> usize {
644 self.bytes.len()
645 }
646
647 #[inline]
648 pub fn is_empty(&self) -> bool {
649 self.bytes.is_empty()
650 }
651
652 #[inline]
659 pub fn ascii_byte_at(&self, position: usize) -> u8 {
660 match self.bytes[position] {
661 ascii_byte @ 0x00..=0x7F => ascii_byte,
662 _ => 0xFF,
663 }
664 }
665
666 #[inline]
668 pub fn code_points(&self) -> Wtf8CodePoints<'_> {
669 Wtf8CodePoints { bytes: self.bytes.iter() }
670 }
671
672 #[inline]
674 pub fn as_bytes(&self) -> &[u8] {
675 &self.bytes
676 }
677
678 #[inline]
684 pub fn as_str(&self) -> Result<&str, str::Utf8Error> {
685 str::from_utf8(&self.bytes)
686 }
687
688 pub fn to_owned(&self) -> Wtf8Buf {
690 Wtf8Buf { bytes: self.bytes.to_vec(), is_known_utf8: false }
691 }
692
693 pub fn to_string_lossy(&self) -> Cow<'_, str> {
700 let Some((surrogate_pos, _)) = self.next_surrogate(0) else {
701 return Cow::Borrowed(unsafe { str::from_utf8_unchecked(&self.bytes) });
702 };
703 let wtf8_bytes = &self.bytes;
704 let mut utf8_bytes = Vec::with_capacity(self.len());
705 utf8_bytes.extend_from_slice(&wtf8_bytes[..surrogate_pos]);
706 utf8_bytes.extend_from_slice(UTF8_REPLACEMENT_CHARACTER.as_bytes());
707 let mut pos = surrogate_pos + 3;
708 loop {
709 match self.next_surrogate(pos) {
710 Some((surrogate_pos, _)) => {
711 utf8_bytes.extend_from_slice(&wtf8_bytes[pos..surrogate_pos]);
712 utf8_bytes.extend_from_slice(UTF8_REPLACEMENT_CHARACTER.as_bytes());
713 pos = surrogate_pos + 3;
714 }
715 None => {
716 utf8_bytes.extend_from_slice(&wtf8_bytes[pos..]);
717 return Cow::Owned(unsafe { String::from_utf8_unchecked(utf8_bytes) });
718 }
719 }
720 }
721 }
722
723 #[inline]
730 pub fn encode_wide(&self) -> EncodeWide<'_> {
731 EncodeWide { code_points: self.code_points(), extra: 0 }
732 }
733
734 #[inline]
735 fn next_surrogate(&self, mut pos: usize) -> Option<(usize, u16)> {
736 let mut iter = self.bytes[pos..].iter();
737 loop {
738 let b = *iter.next()?;
739 if b < 0x80 {
740 pos += 1;
741 } else if b < 0xE0 {
742 iter.next();
743 pos += 2;
744 } else if b == 0xED {
745 match (iter.next(), iter.next()) {
746 (Some(&b2), Some(&b3)) if b2 >= 0xA0 => {
747 return Some((pos, decode_surrogate(b2, b3)));
748 }
749 _ => pos += 3,
750 }
751 } else if b < 0xF0 {
752 iter.next();
753 iter.next();
754 pos += 3;
755 } else {
756 iter.next();
757 iter.next();
758 iter.next();
759 pos += 4;
760 }
761 }
762 }
763
764 #[inline]
765 fn final_lead_surrogate(&self) -> Option<u16> {
766 match self.bytes {
767 [.., 0xED, b2 @ 0xA0..=0xAF, b3] => Some(decode_surrogate(b2, b3)),
768 _ => None,
769 }
770 }
771
772 #[inline]
773 fn initial_trail_surrogate(&self) -> Option<u16> {
774 match self.bytes {
775 [0xED, b2 @ 0xB0..=0xBF, b3, ..] => Some(decode_surrogate(b2, b3)),
776 _ => None,
777 }
778 }
779
780 pub fn clone_into(&self, buf: &mut Wtf8Buf) {
781 buf.is_known_utf8 = false;
782 self.bytes.clone_into(&mut buf.bytes);
783 }
784
785 #[inline]
787 pub fn into_box(&self) -> Box<Wtf8> {
788 let boxed: Box<[u8]> = self.bytes.into();
789 unsafe { mem::transmute(boxed) }
790 }
791
792 pub fn empty_box() -> Box<Wtf8> {
794 let boxed: Box<[u8]> = Default::default();
795 unsafe { mem::transmute(boxed) }
796 }
797
798 #[inline]
799 pub fn into_arc(&self) -> Arc<Wtf8> {
800 let arc: Arc<[u8]> = Arc::from(&self.bytes);
801 unsafe { Arc::from_raw(Arc::into_raw(arc) as *const Wtf8) }
802 }
803
804 #[inline]
805 pub fn into_rc(&self) -> Rc<Wtf8> {
806 let rc: Rc<[u8]> = Rc::from(&self.bytes);
807 unsafe { Rc::from_raw(Rc::into_raw(rc) as *const Wtf8) }
808 }
809
810 #[inline]
811 pub fn make_ascii_lowercase(&mut self) {
812 self.bytes.make_ascii_lowercase()
813 }
814
815 #[inline]
816 pub fn make_ascii_uppercase(&mut self) {
817 self.bytes.make_ascii_uppercase()
818 }
819
820 #[inline]
821 pub fn to_ascii_lowercase(&self) -> Wtf8Buf {
822 Wtf8Buf { bytes: self.bytes.to_ascii_lowercase(), is_known_utf8: false }
823 }
824
825 #[inline]
826 pub fn to_ascii_uppercase(&self) -> Wtf8Buf {
827 Wtf8Buf { bytes: self.bytes.to_ascii_uppercase(), is_known_utf8: false }
828 }
829
830 #[inline]
831 pub fn is_ascii(&self) -> bool {
832 self.bytes.is_ascii()
833 }
834
835 #[inline]
836 pub fn eq_ignore_ascii_case(&self, other: &Self) -> bool {
837 self.bytes.eq_ignore_ascii_case(&other.bytes)
838 }
839}
840
841impl ops::Index<ops::Range<usize>> for Wtf8 {
848 type Output = Wtf8;
849
850 #[inline]
851 fn index(&self, range: ops::Range<usize>) -> &Wtf8 {
852 if range.start <= range.end
854 && is_code_point_boundary(self, range.start)
855 && is_code_point_boundary(self, range.end)
856 {
857 unsafe { slice_unchecked(self, range.start, range.end) }
858 } else {
859 slice_error_fail(self, range.start, range.end)
860 }
861 }
862}
863
864impl ops::Index<ops::RangeFrom<usize>> for Wtf8 {
871 type Output = Wtf8;
872
873 #[inline]
874 fn index(&self, range: ops::RangeFrom<usize>) -> &Wtf8 {
875 if is_code_point_boundary(self, range.start) {
877 unsafe { slice_unchecked(self, range.start, self.len()) }
878 } else {
879 slice_error_fail(self, range.start, self.len())
880 }
881 }
882}
883
884impl ops::Index<ops::RangeTo<usize>> for Wtf8 {
891 type Output = Wtf8;
892
893 #[inline]
894 fn index(&self, range: ops::RangeTo<usize>) -> &Wtf8 {
895 if is_code_point_boundary(self, range.end) {
897 unsafe { slice_unchecked(self, 0, range.end) }
898 } else {
899 slice_error_fail(self, 0, range.end)
900 }
901 }
902}
903
904impl ops::Index<ops::RangeFull> for Wtf8 {
905 type Output = Wtf8;
906
907 #[inline]
908 fn index(&self, _range: ops::RangeFull) -> &Wtf8 {
909 self
910 }
911}
912
913#[inline]
914fn decode_surrogate(second_byte: u8, third_byte: u8) -> u16 {
915 0xD800 | (second_byte as u16 & 0x3F) << 6 | third_byte as u16 & 0x3F
917}
918
919#[inline]
920fn decode_surrogate_pair(lead: u16, trail: u16) -> char {
921 let code_point = 0x10000 + ((((lead - 0xD800) as u32) << 10) | (trail - 0xDC00) as u32);
922 unsafe { char::from_u32_unchecked(code_point) }
923}
924
925#[inline]
927pub fn is_code_point_boundary(slice: &Wtf8, index: usize) -> bool {
928 if index == 0 {
929 return true;
930 }
931 match slice.bytes.get(index) {
932 None => index == slice.len(),
933 Some(&b) => (b as i8) >= -0x40,
934 }
935}
936
937#[track_caller]
945#[inline]
946pub fn check_utf8_boundary(slice: &Wtf8, index: usize) {
947 if index == 0 {
948 return;
949 }
950 match slice.bytes.get(index) {
951 Some(0xED) => (), Some(&b) if (b as i8) >= -0x40 => return,
953 Some(_) => panic!("byte index {index} is not a codepoint boundary"),
954 None if index == slice.len() => return,
955 None => panic!("byte index {index} is out of bounds"),
956 }
957 if slice.bytes[index + 1] >= 0xA0 {
958 if index >= 3 && slice.bytes[index - 3] == 0xED && slice.bytes[index - 2] >= 0xA0 {
960 panic!("byte index {index} lies between surrogate codepoints");
961 }
962 }
963}
964
965#[inline]
967pub unsafe fn slice_unchecked(s: &Wtf8, begin: usize, end: usize) -> &Wtf8 {
968 unsafe {
970 let len = end - begin;
971 let start = s.as_bytes().as_ptr().add(begin);
972 Wtf8::from_bytes_unchecked(slice::from_raw_parts(start, len))
973 }
974}
975
976#[inline(never)]
978pub fn slice_error_fail(s: &Wtf8, begin: usize, end: usize) -> ! {
979 assert!(begin <= end);
980 panic!("index {begin} and/or {end} in `{s:?}` do not lie on character boundary");
981}
982
983#[derive(Clone)]
987pub struct Wtf8CodePoints<'a> {
988 bytes: slice::Iter<'a, u8>,
989}
990
991impl Iterator for Wtf8CodePoints<'_> {
992 type Item = CodePoint;
993
994 #[inline]
995 fn next(&mut self) -> Option<CodePoint> {
996 unsafe { next_code_point(&mut self.bytes).map(|c| CodePoint { value: c }) }
998 }
999
1000 #[inline]
1001 fn size_hint(&self) -> (usize, Option<usize>) {
1002 let len = self.bytes.len();
1003 (len.saturating_add(3) / 4, Some(len))
1004 }
1005}
1006
1007#[stable(feature = "rust1", since = "1.0.0")]
1009#[derive(Clone)]
1010pub struct EncodeWide<'a> {
1011 code_points: Wtf8CodePoints<'a>,
1012 extra: u16,
1013}
1014
1015#[stable(feature = "rust1", since = "1.0.0")]
1017impl Iterator for EncodeWide<'_> {
1018 type Item = u16;
1019
1020 #[inline]
1021 fn next(&mut self) -> Option<u16> {
1022 if self.extra != 0 {
1023 let tmp = self.extra;
1024 self.extra = 0;
1025 return Some(tmp);
1026 }
1027
1028 let mut buf = [0; MAX_LEN_UTF16];
1029 self.code_points.next().map(|code_point| {
1030 let n = encode_utf16_raw(code_point.value, &mut buf).len();
1031 if n == 2 {
1032 self.extra = buf[1];
1033 }
1034 buf[0]
1035 })
1036 }
1037
1038 #[inline]
1039 fn size_hint(&self) -> (usize, Option<usize>) {
1040 let (low, high) = self.code_points.size_hint();
1041 let ext = (self.extra != 0) as usize;
1042 (low + ext, high.and_then(|n| n.checked_mul(2)).and_then(|n| n.checked_add(ext)))
1046 }
1047}
1048
1049#[stable(feature = "encode_wide_fused_iterator", since = "1.62.0")]
1050impl FusedIterator for EncodeWide<'_> {}
1051
1052impl Hash for CodePoint {
1053 #[inline]
1054 fn hash<H: Hasher>(&self, state: &mut H) {
1055 self.value.hash(state)
1056 }
1057}
1058
1059impl Hash for Wtf8Buf {
1060 #[inline]
1061 fn hash<H: Hasher>(&self, state: &mut H) {
1062 state.write(&self.bytes);
1063 0xfeu8.hash(state)
1064 }
1065}
1066
1067impl Hash for Wtf8 {
1068 #[inline]
1069 fn hash<H: Hasher>(&self, state: &mut H) {
1070 state.write(&self.bytes);
1071 0xfeu8.hash(state)
1072 }
1073}
1074
1075#[unstable(feature = "clone_to_uninit", issue = "126799")]
1076unsafe impl CloneToUninit for Wtf8 {
1077 #[inline]
1078 #[cfg_attr(debug_assertions, track_caller)]
1079 unsafe fn clone_to_uninit(&self, dst: *mut u8) {
1080 unsafe { self.bytes.clone_to_uninit(dst) }
1082 }
1083}