]> git.proxmox.com Git - rustc.git/blob - src/libstd/sys_common/wtf8.rs
New upstream version 1.17.0+dfsg1
[rustc.git] / src / libstd / sys_common / wtf8.rs
1 // Copyright 2015 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Implementation of [the WTF-8 encoding](https://simonsapin.github.io/wtf-8/).
12 //!
13 //! This library uses Rust’s type system to maintain
14 //! [well-formedness](https://simonsapin.github.io/wtf-8/#well-formed),
15 //! like the `String` and `&str` types do for UTF-8.
16 //!
17 //! Since [WTF-8 must not be used
18 //! for interchange](https://simonsapin.github.io/wtf-8/#intended-audience),
19 //! this library deliberately does not provide access to the underlying bytes
20 //! of WTF-8 strings,
21 //! nor can it decode WTF-8 from arbitrary bytes.
22 //! WTF-8 strings can be obtained from UTF-8, UTF-16, or code points.
23
24 // this module is imported from @SimonSapin's repo and has tons of dead code on
25 // unix (it's mostly used on windows), so don't worry about dead code here.
26 #![allow(dead_code)]
27
28 use core::str::next_code_point;
29
30 use ascii::*;
31 use borrow::Cow;
32 use char;
33 use fmt;
34 use hash::{Hash, Hasher};
35 use iter::FromIterator;
36 use mem;
37 use ops;
38 use slice;
39 use str;
40 use sys_common::AsInner;
41
42 const UTF8_REPLACEMENT_CHARACTER: &'static [u8] = b"\xEF\xBF\xBD";
43
44 /// A Unicode code point: from U+0000 to U+10FFFF.
45 ///
46 /// Compare with the `char` type,
47 /// which represents a Unicode scalar value:
48 /// a code point that is not a surrogate (U+D800 to U+DFFF).
49 #[derive(Eq, PartialEq, Ord, PartialOrd, Clone, Copy)]
50 pub struct CodePoint {
51 value: u32
52 }
53
54 /// Format the code point as `U+` followed by four to six hexadecimal digits.
55 /// Example: `U+1F4A9`
56 impl fmt::Debug for CodePoint {
57 #[inline]
58 fn fmt(&self, formatter: &mut fmt::Formatter) -> Result<(), fmt::Error> {
59 write!(formatter, "U+{:04X}", self.value)
60 }
61 }
62
63 impl CodePoint {
64 /// Unsafely creates a new `CodePoint` without checking the value.
65 ///
66 /// Only use when `value` is known to be less than or equal to 0x10FFFF.
67 #[inline]
68 pub unsafe fn from_u32_unchecked(value: u32) -> CodePoint {
69 CodePoint { value: value }
70 }
71
72 /// Creates a new `CodePoint` if the value is a valid code point.
73 ///
74 /// Returns `None` if `value` is above 0x10FFFF.
75 #[inline]
76 pub fn from_u32(value: u32) -> Option<CodePoint> {
77 match value {
78 0 ... 0x10FFFF => Some(CodePoint { value: value }),
79 _ => None
80 }
81 }
82
83 /// Creates a new `CodePoint` from a `char`.
84 ///
85 /// Since all Unicode scalar values are code points, this always succeeds.
86 #[inline]
87 pub fn from_char(value: char) -> CodePoint {
88 CodePoint { value: value as u32 }
89 }
90
91 /// Returns the numeric value of the code point.
92 #[inline]
93 pub fn to_u32(&self) -> u32 {
94 self.value
95 }
96
97 /// Optionally returns a Unicode scalar value for the code point.
98 ///
99 /// Returns `None` if the code point is a surrogate (from U+D800 to U+DFFF).
100 #[inline]
101 pub fn to_char(&self) -> Option<char> {
102 match self.value {
103 0xD800 ... 0xDFFF => None,
104 _ => Some(unsafe { char::from_u32_unchecked(self.value) })
105 }
106 }
107
108 /// Returns a Unicode scalar value for the code point.
109 ///
110 /// Returns `'\u{FFFD}'` (the replacement character “�”)
111 /// if the code point is a surrogate (from U+D800 to U+DFFF).
112 #[inline]
113 pub fn to_char_lossy(&self) -> char {
114 self.to_char().unwrap_or('\u{FFFD}')
115 }
116 }
117
118 /// An owned, growable string of well-formed WTF-8 data.
119 ///
120 /// Similar to `String`, but can additionally contain surrogate code points
121 /// if they’re not in a surrogate pair.
122 #[derive(Eq, PartialEq, Ord, PartialOrd, Clone)]
123 pub struct Wtf8Buf {
124 bytes: Vec<u8>
125 }
126
127 impl ops::Deref for Wtf8Buf {
128 type Target = Wtf8;
129
130 fn deref(&self) -> &Wtf8 {
131 self.as_slice()
132 }
133 }
134
135 /// Format the string with double quotes,
136 /// and surrogates as `\u` followed by four hexadecimal digits.
137 /// Example: `"a\u{D800}"` for a string with code points [U+0061, U+D800]
138 impl fmt::Debug for Wtf8Buf {
139 #[inline]
140 fn fmt(&self, formatter: &mut fmt::Formatter) -> Result<(), fmt::Error> {
141 fmt::Debug::fmt(&**self, formatter)
142 }
143 }
144
145 impl Wtf8Buf {
146 /// Creates a new, empty WTF-8 string.
147 #[inline]
148 pub fn new() -> Wtf8Buf {
149 Wtf8Buf { bytes: Vec::new() }
150 }
151
152 /// Creates a new, empty WTF-8 string with pre-allocated capacity for `n` bytes.
153 #[inline]
154 pub fn with_capacity(n: usize) -> Wtf8Buf {
155 Wtf8Buf { bytes: Vec::with_capacity(n) }
156 }
157
158 /// Creates a WTF-8 string from a UTF-8 `String`.
159 ///
160 /// This takes ownership of the `String` and does not copy.
161 ///
162 /// Since WTF-8 is a superset of UTF-8, this always succeeds.
163 #[inline]
164 pub fn from_string(string: String) -> Wtf8Buf {
165 Wtf8Buf { bytes: string.into_bytes() }
166 }
167
168 /// Creates a WTF-8 string from a UTF-8 `&str` slice.
169 ///
170 /// This copies the content of the slice.
171 ///
172 /// Since WTF-8 is a superset of UTF-8, this always succeeds.
173 #[inline]
174 pub fn from_str(str: &str) -> Wtf8Buf {
175 Wtf8Buf { bytes: <[_]>::to_vec(str.as_bytes()) }
176 }
177
178 pub fn clear(&mut self) {
179 self.bytes.clear()
180 }
181
182 /// Creates a WTF-8 string from a potentially ill-formed UTF-16 slice of 16-bit code units.
183 ///
184 /// This is lossless: calling `.encode_wide()` on the resulting string
185 /// will always return the original code units.
186 pub fn from_wide(v: &[u16]) -> Wtf8Buf {
187 let mut string = Wtf8Buf::with_capacity(v.len());
188 for item in char::decode_utf16(v.iter().cloned()) {
189 match item {
190 Ok(ch) => string.push_char(ch),
191 Err(surrogate) => {
192 let surrogate = surrogate.unpaired_surrogate();
193 // Surrogates are known to be in the code point range.
194 let code_point = unsafe {
195 CodePoint::from_u32_unchecked(surrogate as u32)
196 };
197 // Skip the WTF-8 concatenation check,
198 // surrogate pairs are already decoded by decode_utf16
199 string.push_code_point_unchecked(code_point)
200 }
201 }
202 }
203 string
204 }
205
206 /// Copied from String::push
207 /// This does **not** include the WTF-8 concatenation check.
208 fn push_code_point_unchecked(&mut self, code_point: CodePoint) {
209 let c = unsafe {
210 char::from_u32_unchecked(code_point.value)
211 };
212 let mut bytes = [0; 4];
213 let bytes = c.encode_utf8(&mut bytes).as_bytes();
214 self.bytes.extend_from_slice(bytes)
215 }
216
217 #[inline]
218 pub fn as_slice(&self) -> &Wtf8 {
219 unsafe { Wtf8::from_bytes_unchecked(&self.bytes) }
220 }
221
222 /// Reserves capacity for at least `additional` more bytes to be inserted
223 /// in the given `Wtf8Buf`.
224 /// The collection may reserve more space to avoid frequent reallocations.
225 ///
226 /// # Panics
227 ///
228 /// Panics if the new capacity overflows `usize`.
229 #[inline]
230 pub fn reserve(&mut self, additional: usize) {
231 self.bytes.reserve(additional)
232 }
233
234 #[inline]
235 pub fn reserve_exact(&mut self, additional: usize) {
236 self.bytes.reserve_exact(additional)
237 }
238
239 #[inline]
240 pub fn shrink_to_fit(&mut self) {
241 self.bytes.shrink_to_fit()
242 }
243
244 /// Returns the number of bytes that this string buffer can hold without reallocating.
245 #[inline]
246 pub fn capacity(&self) -> usize {
247 self.bytes.capacity()
248 }
249
250 /// Append a UTF-8 slice at the end of the string.
251 #[inline]
252 pub fn push_str(&mut self, other: &str) {
253 self.bytes.extend_from_slice(other.as_bytes())
254 }
255
256 /// Append a WTF-8 slice at the end of the string.
257 ///
258 /// This replaces newly paired surrogates at the boundary
259 /// with a supplementary code point,
260 /// like concatenating ill-formed UTF-16 strings effectively would.
261 #[inline]
262 pub fn push_wtf8(&mut self, other: &Wtf8) {
263 match ((&*self).final_lead_surrogate(), other.initial_trail_surrogate()) {
264 // Replace newly paired surrogates by a supplementary code point.
265 (Some(lead), Some(trail)) => {
266 let len_without_lead_surrogate = self.len() - 3;
267 self.bytes.truncate(len_without_lead_surrogate);
268 let other_without_trail_surrogate = &other.bytes[3..];
269 // 4 bytes for the supplementary code point
270 self.bytes.reserve(4 + other_without_trail_surrogate.len());
271 self.push_char(decode_surrogate_pair(lead, trail));
272 self.bytes.extend_from_slice(other_without_trail_surrogate);
273 }
274 _ => self.bytes.extend_from_slice(&other.bytes)
275 }
276 }
277
278 /// Append a Unicode scalar value at the end of the string.
279 #[inline]
280 pub fn push_char(&mut self, c: char) {
281 self.push_code_point_unchecked(CodePoint::from_char(c))
282 }
283
284 /// Append a code point at the end of the string.
285 ///
286 /// This replaces newly paired surrogates at the boundary
287 /// with a supplementary code point,
288 /// like concatenating ill-formed UTF-16 strings effectively would.
289 #[inline]
290 pub fn push(&mut self, code_point: CodePoint) {
291 if let trail @ 0xDC00...0xDFFF = code_point.to_u32() {
292 if let Some(lead) = (&*self).final_lead_surrogate() {
293 let len_without_lead_surrogate = self.len() - 3;
294 self.bytes.truncate(len_without_lead_surrogate);
295 self.push_char(decode_surrogate_pair(lead, trail as u16));
296 return
297 }
298 }
299
300 // No newly paired surrogates at the boundary.
301 self.push_code_point_unchecked(code_point)
302 }
303
304 /// Shortens a string to the specified length.
305 ///
306 /// # Panics
307 ///
308 /// Panics if `new_len` > current length,
309 /// or if `new_len` is not a code point boundary.
310 #[inline]
311 pub fn truncate(&mut self, new_len: usize) {
312 assert!(is_code_point_boundary(self, new_len));
313 self.bytes.truncate(new_len)
314 }
315
316 /// Consumes the WTF-8 string and tries to convert it to UTF-8.
317 ///
318 /// This does not copy the data.
319 ///
320 /// If the contents are not well-formed UTF-8
321 /// (that is, if the string contains surrogates),
322 /// the original WTF-8 string is returned instead.
323 pub fn into_string(self) -> Result<String, Wtf8Buf> {
324 match self.next_surrogate(0) {
325 None => Ok(unsafe { String::from_utf8_unchecked(self.bytes) }),
326 Some(_) => Err(self),
327 }
328 }
329
330 /// Consumes the WTF-8 string and converts it lossily to UTF-8.
331 ///
332 /// This does not copy the data (but may overwrite parts of it in place).
333 ///
334 /// Surrogates are replaced with `"\u{FFFD}"` (the replacement character “�”)
335 pub fn into_string_lossy(mut self) -> String {
336 let mut pos = 0;
337 loop {
338 match self.next_surrogate(pos) {
339 Some((surrogate_pos, _)) => {
340 pos = surrogate_pos + 3;
341 self.bytes[surrogate_pos..pos]
342 .copy_from_slice(UTF8_REPLACEMENT_CHARACTER);
343 },
344 None => return unsafe { String::from_utf8_unchecked(self.bytes) }
345 }
346 }
347 }
348
349 /// Converts this `Wtf8Buf` into a boxed `Wtf8`.
350 #[inline]
351 pub fn into_box(self) -> Box<Wtf8> {
352 unsafe { mem::transmute(self.bytes.into_boxed_slice()) }
353 }
354 }
355
356 /// Create a new WTF-8 string from an iterator of code points.
357 ///
358 /// This replaces surrogate code point pairs with supplementary code points,
359 /// like concatenating ill-formed UTF-16 strings effectively would.
360 impl FromIterator<CodePoint> for Wtf8Buf {
361 fn from_iter<T: IntoIterator<Item=CodePoint>>(iter: T) -> Wtf8Buf {
362 let mut string = Wtf8Buf::new();
363 string.extend(iter);
364 string
365 }
366 }
367
368 /// Append code points from an iterator to the string.
369 ///
370 /// This replaces surrogate code point pairs with supplementary code points,
371 /// like concatenating ill-formed UTF-16 strings effectively would.
372 impl Extend<CodePoint> for Wtf8Buf {
373 fn extend<T: IntoIterator<Item=CodePoint>>(&mut self, iter: T) {
374 let iterator = iter.into_iter();
375 let (low, _high) = iterator.size_hint();
376 // Lower bound of one byte per code point (ASCII only)
377 self.bytes.reserve(low);
378 for code_point in iterator {
379 self.push(code_point);
380 }
381 }
382 }
383
384 /// A borrowed slice of well-formed WTF-8 data.
385 ///
386 /// Similar to `&str`, but can additionally contain surrogate code points
387 /// if they’re not in a surrogate pair.
388 #[derive(Eq, Ord, PartialEq, PartialOrd)]
389 pub struct Wtf8 {
390 bytes: [u8]
391 }
392
393 impl AsInner<[u8]> for Wtf8 {
394 fn as_inner(&self) -> &[u8] { &self.bytes }
395 }
396
397 /// Format the slice with double quotes,
398 /// and surrogates as `\u` followed by four hexadecimal digits.
399 /// Example: `"a\u{D800}"` for a slice with code points [U+0061, U+D800]
400 impl fmt::Debug for Wtf8 {
401 fn fmt(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
402 fn write_str_escaped(f: &mut fmt::Formatter, s: &str) -> fmt::Result {
403 use fmt::Write;
404 for c in s.chars().flat_map(|c| c.escape_debug()) {
405 f.write_char(c)?
406 }
407 Ok(())
408 }
409
410 formatter.write_str("\"")?;
411 let mut pos = 0;
412 loop {
413 match self.next_surrogate(pos) {
414 None => break,
415 Some((surrogate_pos, surrogate)) => {
416 write_str_escaped(
417 formatter,
418 unsafe { str::from_utf8_unchecked(
419 &self.bytes[pos .. surrogate_pos]
420 )},
421 )?;
422 write!(formatter, "\\u{{{:x}}}", surrogate)?;
423 pos = surrogate_pos + 3;
424 }
425 }
426 }
427 write_str_escaped(
428 formatter,
429 unsafe { str::from_utf8_unchecked(&self.bytes[pos..]) },
430 )?;
431 formatter.write_str("\"")
432 }
433 }
434
435 impl Wtf8 {
436 /// Creates a WTF-8 slice from a UTF-8 `&str` slice.
437 ///
438 /// Since WTF-8 is a superset of UTF-8, this always succeeds.
439 #[inline]
440 pub fn from_str(value: &str) -> &Wtf8 {
441 unsafe { Wtf8::from_bytes_unchecked(value.as_bytes()) }
442 }
443
444 /// Creates a WTF-8 slice from a WTF-8 byte slice.
445 ///
446 /// Since the byte slice is not checked for valid WTF-8, this functions is
447 /// marked unsafe.
448 #[inline]
449 unsafe fn from_bytes_unchecked(value: &[u8]) -> &Wtf8 {
450 mem::transmute(value)
451 }
452
453 /// Returns the length, in WTF-8 bytes.
454 #[inline]
455 pub fn len(&self) -> usize {
456 self.bytes.len()
457 }
458
459 #[inline]
460 pub fn is_empty(&self) -> bool {
461 self.bytes.is_empty()
462 }
463
464 /// Returns the code point at `position` if it is in the ASCII range,
465 /// or `b'\xFF' otherwise.
466 ///
467 /// # Panics
468 ///
469 /// Panics if `position` is beyond the end of the string.
470 #[inline]
471 pub fn ascii_byte_at(&self, position: usize) -> u8 {
472 match self.bytes[position] {
473 ascii_byte @ 0x00 ... 0x7F => ascii_byte,
474 _ => 0xFF
475 }
476 }
477
478 /// Returns an iterator for the string’s code points.
479 #[inline]
480 pub fn code_points(&self) -> Wtf8CodePoints {
481 Wtf8CodePoints { bytes: self.bytes.iter() }
482 }
483
484 /// Tries to convert the string to UTF-8 and return a `&str` slice.
485 ///
486 /// Returns `None` if the string contains surrogates.
487 ///
488 /// This does not copy the data.
489 #[inline]
490 pub fn as_str(&self) -> Option<&str> {
491 // Well-formed WTF-8 is also well-formed UTF-8
492 // if and only if it contains no surrogate.
493 match self.next_surrogate(0) {
494 None => Some(unsafe { str::from_utf8_unchecked(&self.bytes) }),
495 Some(_) => None,
496 }
497 }
498
499 /// Lossily converts the string to UTF-8.
500 /// Returns a UTF-8 `&str` slice if the contents are well-formed in UTF-8.
501 ///
502 /// Surrogates are replaced with `"\u{FFFD}"` (the replacement character “�”).
503 ///
504 /// This only copies the data if necessary (if it contains any surrogate).
505 pub fn to_string_lossy(&self) -> Cow<str> {
506 let surrogate_pos = match self.next_surrogate(0) {
507 None => return Cow::Borrowed(unsafe { str::from_utf8_unchecked(&self.bytes) }),
508 Some((pos, _)) => pos,
509 };
510 let wtf8_bytes = &self.bytes;
511 let mut utf8_bytes = Vec::with_capacity(self.len());
512 utf8_bytes.extend_from_slice(&wtf8_bytes[..surrogate_pos]);
513 utf8_bytes.extend_from_slice(UTF8_REPLACEMENT_CHARACTER);
514 let mut pos = surrogate_pos + 3;
515 loop {
516 match self.next_surrogate(pos) {
517 Some((surrogate_pos, _)) => {
518 utf8_bytes.extend_from_slice(&wtf8_bytes[pos .. surrogate_pos]);
519 utf8_bytes.extend_from_slice(UTF8_REPLACEMENT_CHARACTER);
520 pos = surrogate_pos + 3;
521 },
522 None => {
523 utf8_bytes.extend_from_slice(&wtf8_bytes[pos..]);
524 return Cow::Owned(unsafe { String::from_utf8_unchecked(utf8_bytes) })
525 }
526 }
527 }
528 }
529
530 /// Converts the WTF-8 string to potentially ill-formed UTF-16
531 /// and return an iterator of 16-bit code units.
532 ///
533 /// This is lossless:
534 /// calling `Wtf8Buf::from_ill_formed_utf16` on the resulting code units
535 /// would always return the original WTF-8 string.
536 #[inline]
537 pub fn encode_wide(&self) -> EncodeWide {
538 EncodeWide { code_points: self.code_points(), extra: 0 }
539 }
540
541 #[inline]
542 fn next_surrogate(&self, mut pos: usize) -> Option<(usize, u16)> {
543 let mut iter = self.bytes[pos..].iter();
544 loop {
545 let b = match iter.next() {
546 None => return None,
547 Some(&b) => b,
548 };
549 if b < 0x80 {
550 pos += 1;
551 } else if b < 0xE0 {
552 iter.next();
553 pos += 2;
554 } else if b == 0xED {
555 match (iter.next(), iter.next()) {
556 (Some(&b2), Some(&b3)) if b2 >= 0xA0 => {
557 return Some((pos, decode_surrogate(b2, b3)))
558 }
559 _ => pos += 3
560 }
561 } else if b < 0xF0 {
562 iter.next();
563 iter.next();
564 pos += 3;
565 } else {
566 iter.next();
567 iter.next();
568 iter.next();
569 pos += 4;
570 }
571 }
572 }
573
574 #[inline]
575 fn final_lead_surrogate(&self) -> Option<u16> {
576 let len = self.len();
577 if len < 3 {
578 return None
579 }
580 match &self.bytes[(len - 3)..] {
581 &[0xED, b2 @ 0xA0...0xAF, b3] => Some(decode_surrogate(b2, b3)),
582 _ => None
583 }
584 }
585
586 #[inline]
587 fn initial_trail_surrogate(&self) -> Option<u16> {
588 let len = self.len();
589 if len < 3 {
590 return None
591 }
592 match &self.bytes[..3] {
593 &[0xED, b2 @ 0xB0...0xBF, b3] => Some(decode_surrogate(b2, b3)),
594 _ => None
595 }
596 }
597
598 /// Boxes this `Wtf8`.
599 #[inline]
600 pub fn into_box(&self) -> Box<Wtf8> {
601 let boxed: Box<[u8]> = self.bytes.into();
602 unsafe { mem::transmute(boxed) }
603 }
604
605 /// Creates a boxed, empty `Wtf8`.
606 pub fn empty_box() -> Box<Wtf8> {
607 let boxed: Box<[u8]> = Default::default();
608 unsafe { mem::transmute(boxed) }
609 }
610 }
611
612
613 /// Return a slice of the given string for the byte range [`begin`..`end`).
614 ///
615 /// # Panics
616 ///
617 /// Panics when `begin` and `end` do not point to code point boundaries,
618 /// or point beyond the end of the string.
619 impl ops::Index<ops::Range<usize>> for Wtf8 {
620 type Output = Wtf8;
621
622 #[inline]
623 fn index(&self, range: ops::Range<usize>) -> &Wtf8 {
624 // is_code_point_boundary checks that the index is in [0, .len()]
625 if range.start <= range.end &&
626 is_code_point_boundary(self, range.start) &&
627 is_code_point_boundary(self, range.end) {
628 unsafe { slice_unchecked(self, range.start, range.end) }
629 } else {
630 slice_error_fail(self, range.start, range.end)
631 }
632 }
633 }
634
635 /// Return a slice of the given string from byte `begin` to its end.
636 ///
637 /// # Panics
638 ///
639 /// Panics when `begin` is not at a code point boundary,
640 /// or is beyond the end of the string.
641 impl ops::Index<ops::RangeFrom<usize>> for Wtf8 {
642 type Output = Wtf8;
643
644 #[inline]
645 fn index(&self, range: ops::RangeFrom<usize>) -> &Wtf8 {
646 // is_code_point_boundary checks that the index is in [0, .len()]
647 if is_code_point_boundary(self, range.start) {
648 unsafe { slice_unchecked(self, range.start, self.len()) }
649 } else {
650 slice_error_fail(self, range.start, self.len())
651 }
652 }
653 }
654
655 /// Return a slice of the given string from its beginning to byte `end`.
656 ///
657 /// # Panics
658 ///
659 /// Panics when `end` is not at a code point boundary,
660 /// or is beyond the end of the string.
661 impl ops::Index<ops::RangeTo<usize>> for Wtf8 {
662 type Output = Wtf8;
663
664 #[inline]
665 fn index(&self, range: ops::RangeTo<usize>) -> &Wtf8 {
666 // is_code_point_boundary checks that the index is in [0, .len()]
667 if is_code_point_boundary(self, range.end) {
668 unsafe { slice_unchecked(self, 0, range.end) }
669 } else {
670 slice_error_fail(self, 0, range.end)
671 }
672 }
673 }
674
675 impl ops::Index<ops::RangeFull> for Wtf8 {
676 type Output = Wtf8;
677
678 #[inline]
679 fn index(&self, _range: ops::RangeFull) -> &Wtf8 {
680 self
681 }
682 }
683
684 #[inline]
685 fn decode_surrogate(second_byte: u8, third_byte: u8) -> u16 {
686 // The first byte is assumed to be 0xED
687 0xD800 | (second_byte as u16 & 0x3F) << 6 | third_byte as u16 & 0x3F
688 }
689
690 #[inline]
691 fn decode_surrogate_pair(lead: u16, trail: u16) -> char {
692 let code_point = 0x10000 + ((((lead - 0xD800) as u32) << 10) | (trail - 0xDC00) as u32);
693 unsafe { char::from_u32_unchecked(code_point) }
694 }
695
696 /// Copied from core::str::StrPrelude::is_char_boundary
697 #[inline]
698 pub fn is_code_point_boundary(slice: &Wtf8, index: usize) -> bool {
699 if index == slice.len() { return true; }
700 match slice.bytes.get(index) {
701 None => false,
702 Some(&b) => b < 128 || b >= 192,
703 }
704 }
705
706 /// Copied from core::str::raw::slice_unchecked
707 #[inline]
708 pub unsafe fn slice_unchecked(s: &Wtf8, begin: usize, end: usize) -> &Wtf8 {
709 // memory layout of an &[u8] and &Wtf8 are the same
710 Wtf8::from_bytes_unchecked(slice::from_raw_parts(
711 s.bytes.as_ptr().offset(begin as isize),
712 end - begin
713 ))
714 }
715
716 /// Copied from core::str::raw::slice_error_fail
717 #[inline(never)]
718 pub fn slice_error_fail(s: &Wtf8, begin: usize, end: usize) -> ! {
719 assert!(begin <= end);
720 panic!("index {} and/or {} in `{:?}` do not lie on character boundary",
721 begin, end, s);
722 }
723
724 /// Iterator for the code points of a WTF-8 string.
725 ///
726 /// Created with the method `.code_points()`.
727 #[derive(Clone)]
728 pub struct Wtf8CodePoints<'a> {
729 bytes: slice::Iter<'a, u8>
730 }
731
732 impl<'a> Iterator for Wtf8CodePoints<'a> {
733 type Item = CodePoint;
734
735 #[inline]
736 fn next(&mut self) -> Option<CodePoint> {
737 next_code_point(&mut self.bytes).map(|c| CodePoint { value: c })
738 }
739
740 #[inline]
741 fn size_hint(&self) -> (usize, Option<usize>) {
742 let len = self.bytes.len();
743 (len.saturating_add(3) / 4, Some(len))
744 }
745 }
746
747 #[stable(feature = "rust1", since = "1.0.0")]
748 #[derive(Clone)]
749 pub struct EncodeWide<'a> {
750 code_points: Wtf8CodePoints<'a>,
751 extra: u16
752 }
753
754 // Copied from libunicode/u_str.rs
755 #[stable(feature = "rust1", since = "1.0.0")]
756 impl<'a> Iterator for EncodeWide<'a> {
757 type Item = u16;
758
759 #[inline]
760 fn next(&mut self) -> Option<u16> {
761 if self.extra != 0 {
762 let tmp = self.extra;
763 self.extra = 0;
764 return Some(tmp);
765 }
766
767 let mut buf = [0; 2];
768 self.code_points.next().map(|code_point| {
769 let c = unsafe {
770 char::from_u32_unchecked(code_point.value)
771 };
772 let n = c.encode_utf16(&mut buf).len();
773 if n == 2 {
774 self.extra = buf[1];
775 }
776 buf[0]
777 })
778 }
779
780 #[inline]
781 fn size_hint(&self) -> (usize, Option<usize>) {
782 let (low, high) = self.code_points.size_hint();
783 // every code point gets either one u16 or two u16,
784 // so this iterator is between 1 or 2 times as
785 // long as the underlying iterator.
786 (low, high.and_then(|n| n.checked_mul(2)))
787 }
788 }
789
790 impl Hash for CodePoint {
791 #[inline]
792 fn hash<H: Hasher>(&self, state: &mut H) {
793 self.value.hash(state)
794 }
795 }
796
797 impl Hash for Wtf8Buf {
798 #[inline]
799 fn hash<H: Hasher>(&self, state: &mut H) {
800 state.write(&self.bytes);
801 0xfeu8.hash(state)
802 }
803 }
804
805 impl Hash for Wtf8 {
806 #[inline]
807 fn hash<H: Hasher>(&self, state: &mut H) {
808 state.write(&self.bytes);
809 0xfeu8.hash(state)
810 }
811 }
812
813 impl AsciiExt for Wtf8 {
814 type Owned = Wtf8Buf;
815
816 fn is_ascii(&self) -> bool {
817 self.bytes.is_ascii()
818 }
819 fn to_ascii_uppercase(&self) -> Wtf8Buf {
820 Wtf8Buf { bytes: self.bytes.to_ascii_uppercase() }
821 }
822 fn to_ascii_lowercase(&self) -> Wtf8Buf {
823 Wtf8Buf { bytes: self.bytes.to_ascii_lowercase() }
824 }
825 fn eq_ignore_ascii_case(&self, other: &Wtf8) -> bool {
826 self.bytes.eq_ignore_ascii_case(&other.bytes)
827 }
828
829 fn make_ascii_uppercase(&mut self) { self.bytes.make_ascii_uppercase() }
830 fn make_ascii_lowercase(&mut self) { self.bytes.make_ascii_lowercase() }
831 }
832
833 #[cfg(test)]
834 mod tests {
835 use borrow::Cow;
836 use super::*;
837
838 #[test]
839 fn code_point_from_u32() {
840 assert!(CodePoint::from_u32(0).is_some());
841 assert!(CodePoint::from_u32(0xD800).is_some());
842 assert!(CodePoint::from_u32(0x10FFFF).is_some());
843 assert!(CodePoint::from_u32(0x110000).is_none());
844 }
845
846 #[test]
847 fn code_point_to_u32() {
848 fn c(value: u32) -> CodePoint { CodePoint::from_u32(value).unwrap() }
849 assert_eq!(c(0).to_u32(), 0);
850 assert_eq!(c(0xD800).to_u32(), 0xD800);
851 assert_eq!(c(0x10FFFF).to_u32(), 0x10FFFF);
852 }
853
854 #[test]
855 fn code_point_from_char() {
856 assert_eq!(CodePoint::from_char('a').to_u32(), 0x61);
857 assert_eq!(CodePoint::from_char('💩').to_u32(), 0x1F4A9);
858 }
859
860 #[test]
861 fn code_point_to_string() {
862 assert_eq!(format!("{:?}", CodePoint::from_char('a')), "U+0061");
863 assert_eq!(format!("{:?}", CodePoint::from_char('💩')), "U+1F4A9");
864 }
865
866 #[test]
867 fn code_point_to_char() {
868 fn c(value: u32) -> CodePoint { CodePoint::from_u32(value).unwrap() }
869 assert_eq!(c(0x61).to_char(), Some('a'));
870 assert_eq!(c(0x1F4A9).to_char(), Some('💩'));
871 assert_eq!(c(0xD800).to_char(), None);
872 }
873
874 #[test]
875 fn code_point_to_char_lossy() {
876 fn c(value: u32) -> CodePoint { CodePoint::from_u32(value).unwrap() }
877 assert_eq!(c(0x61).to_char_lossy(), 'a');
878 assert_eq!(c(0x1F4A9).to_char_lossy(), '💩');
879 assert_eq!(c(0xD800).to_char_lossy(), '\u{FFFD}');
880 }
881
882 #[test]
883 fn wtf8buf_new() {
884 assert_eq!(Wtf8Buf::new().bytes, b"");
885 }
886
887 #[test]
888 fn wtf8buf_from_str() {
889 assert_eq!(Wtf8Buf::from_str("").bytes, b"");
890 assert_eq!(Wtf8Buf::from_str("aé 💩").bytes,
891 b"a\xC3\xA9 \xF0\x9F\x92\xA9");
892 }
893
894 #[test]
895 fn wtf8buf_from_string() {
896 assert_eq!(Wtf8Buf::from_string(String::from("")).bytes, b"");
897 assert_eq!(Wtf8Buf::from_string(String::from("aé 💩")).bytes,
898 b"a\xC3\xA9 \xF0\x9F\x92\xA9");
899 }
900
901 #[test]
902 fn wtf8buf_from_wide() {
903 assert_eq!(Wtf8Buf::from_wide(&[]).bytes, b"");
904 assert_eq!(Wtf8Buf::from_wide(
905 &[0x61, 0xE9, 0x20, 0xD83D, 0xD83D, 0xDCA9]).bytes,
906 b"a\xC3\xA9 \xED\xA0\xBD\xF0\x9F\x92\xA9");
907 }
908
909 #[test]
910 fn wtf8buf_push_str() {
911 let mut string = Wtf8Buf::new();
912 assert_eq!(string.bytes, b"");
913 string.push_str("aé 💩");
914 assert_eq!(string.bytes, b"a\xC3\xA9 \xF0\x9F\x92\xA9");
915 }
916
917 #[test]
918 fn wtf8buf_push_char() {
919 let mut string = Wtf8Buf::from_str("aé ");
920 assert_eq!(string.bytes, b"a\xC3\xA9 ");
921 string.push_char('💩');
922 assert_eq!(string.bytes, b"a\xC3\xA9 \xF0\x9F\x92\xA9");
923 }
924
925 #[test]
926 fn wtf8buf_push() {
927 let mut string = Wtf8Buf::from_str("aé ");
928 assert_eq!(string.bytes, b"a\xC3\xA9 ");
929 string.push(CodePoint::from_char('💩'));
930 assert_eq!(string.bytes, b"a\xC3\xA9 \xF0\x9F\x92\xA9");
931
932 fn c(value: u32) -> CodePoint { CodePoint::from_u32(value).unwrap() }
933
934 let mut string = Wtf8Buf::new();
935 string.push(c(0xD83D)); // lead
936 string.push(c(0xDCA9)); // trail
937 assert_eq!(string.bytes, b"\xF0\x9F\x92\xA9"); // Magic!
938
939 let mut string = Wtf8Buf::new();
940 string.push(c(0xD83D)); // lead
941 string.push(c(0x20)); // not surrogate
942 string.push(c(0xDCA9)); // trail
943 assert_eq!(string.bytes, b"\xED\xA0\xBD \xED\xB2\xA9");
944
945 let mut string = Wtf8Buf::new();
946 string.push(c(0xD800)); // lead
947 string.push(c(0xDBFF)); // lead
948 assert_eq!(string.bytes, b"\xED\xA0\x80\xED\xAF\xBF");
949
950 let mut string = Wtf8Buf::new();
951 string.push(c(0xD800)); // lead
952 string.push(c(0xE000)); // not surrogate
953 assert_eq!(string.bytes, b"\xED\xA0\x80\xEE\x80\x80");
954
955 let mut string = Wtf8Buf::new();
956 string.push(c(0xD7FF)); // not surrogate
957 string.push(c(0xDC00)); // trail
958 assert_eq!(string.bytes, b"\xED\x9F\xBF\xED\xB0\x80");
959
960 let mut string = Wtf8Buf::new();
961 string.push(c(0x61)); // not surrogate, < 3 bytes
962 string.push(c(0xDC00)); // trail
963 assert_eq!(string.bytes, b"\x61\xED\xB0\x80");
964
965 let mut string = Wtf8Buf::new();
966 string.push(c(0xDC00)); // trail
967 assert_eq!(string.bytes, b"\xED\xB0\x80");
968 }
969
970 #[test]
971 fn wtf8buf_push_wtf8() {
972 let mut string = Wtf8Buf::from_str("aé");
973 assert_eq!(string.bytes, b"a\xC3\xA9");
974 string.push_wtf8(Wtf8::from_str(" 💩"));
975 assert_eq!(string.bytes, b"a\xC3\xA9 \xF0\x9F\x92\xA9");
976
977 fn w(v: &[u8]) -> &Wtf8 { unsafe { Wtf8::from_bytes_unchecked(v) } }
978
979 let mut string = Wtf8Buf::new();
980 string.push_wtf8(w(b"\xED\xA0\xBD")); // lead
981 string.push_wtf8(w(b"\xED\xB2\xA9")); // trail
982 assert_eq!(string.bytes, b"\xF0\x9F\x92\xA9"); // Magic!
983
984 let mut string = Wtf8Buf::new();
985 string.push_wtf8(w(b"\xED\xA0\xBD")); // lead
986 string.push_wtf8(w(b" ")); // not surrogate
987 string.push_wtf8(w(b"\xED\xB2\xA9")); // trail
988 assert_eq!(string.bytes, b"\xED\xA0\xBD \xED\xB2\xA9");
989
990 let mut string = Wtf8Buf::new();
991 string.push_wtf8(w(b"\xED\xA0\x80")); // lead
992 string.push_wtf8(w(b"\xED\xAF\xBF")); // lead
993 assert_eq!(string.bytes, b"\xED\xA0\x80\xED\xAF\xBF");
994
995 let mut string = Wtf8Buf::new();
996 string.push_wtf8(w(b"\xED\xA0\x80")); // lead
997 string.push_wtf8(w(b"\xEE\x80\x80")); // not surrogate
998 assert_eq!(string.bytes, b"\xED\xA0\x80\xEE\x80\x80");
999
1000 let mut string = Wtf8Buf::new();
1001 string.push_wtf8(w(b"\xED\x9F\xBF")); // not surrogate
1002 string.push_wtf8(w(b"\xED\xB0\x80")); // trail
1003 assert_eq!(string.bytes, b"\xED\x9F\xBF\xED\xB0\x80");
1004
1005 let mut string = Wtf8Buf::new();
1006 string.push_wtf8(w(b"a")); // not surrogate, < 3 bytes
1007 string.push_wtf8(w(b"\xED\xB0\x80")); // trail
1008 assert_eq!(string.bytes, b"\x61\xED\xB0\x80");
1009
1010 let mut string = Wtf8Buf::new();
1011 string.push_wtf8(w(b"\xED\xB0\x80")); // trail
1012 assert_eq!(string.bytes, b"\xED\xB0\x80");
1013 }
1014
1015 #[test]
1016 fn wtf8buf_truncate() {
1017 let mut string = Wtf8Buf::from_str("aé");
1018 string.truncate(1);
1019 assert_eq!(string.bytes, b"a");
1020 }
1021
1022 #[test]
1023 #[should_panic]
1024 fn wtf8buf_truncate_fail_code_point_boundary() {
1025 let mut string = Wtf8Buf::from_str("aé");
1026 string.truncate(2);
1027 }
1028
1029 #[test]
1030 #[should_panic]
1031 fn wtf8buf_truncate_fail_longer() {
1032 let mut string = Wtf8Buf::from_str("aé");
1033 string.truncate(4);
1034 }
1035
1036 #[test]
1037 fn wtf8buf_into_string() {
1038 let mut string = Wtf8Buf::from_str("aé 💩");
1039 assert_eq!(string.clone().into_string(), Ok(String::from("aé 💩")));
1040 string.push(CodePoint::from_u32(0xD800).unwrap());
1041 assert_eq!(string.clone().into_string(), Err(string));
1042 }
1043
1044 #[test]
1045 fn wtf8buf_into_string_lossy() {
1046 let mut string = Wtf8Buf::from_str("aé 💩");
1047 assert_eq!(string.clone().into_string_lossy(), String::from("aé 💩"));
1048 string.push(CodePoint::from_u32(0xD800).unwrap());
1049 assert_eq!(string.clone().into_string_lossy(), String::from("aé 💩�"));
1050 }
1051
1052 #[test]
1053 fn wtf8buf_from_iterator() {
1054 fn f(values: &[u32]) -> Wtf8Buf {
1055 values.iter().map(|&c| CodePoint::from_u32(c).unwrap()).collect::<Wtf8Buf>()
1056 }
1057 assert_eq!(f(&[0x61, 0xE9, 0x20, 0x1F4A9]).bytes, b"a\xC3\xA9 \xF0\x9F\x92\xA9");
1058
1059 assert_eq!(f(&[0xD83D, 0xDCA9]).bytes, b"\xF0\x9F\x92\xA9"); // Magic!
1060 assert_eq!(f(&[0xD83D, 0x20, 0xDCA9]).bytes, b"\xED\xA0\xBD \xED\xB2\xA9");
1061 assert_eq!(f(&[0xD800, 0xDBFF]).bytes, b"\xED\xA0\x80\xED\xAF\xBF");
1062 assert_eq!(f(&[0xD800, 0xE000]).bytes, b"\xED\xA0\x80\xEE\x80\x80");
1063 assert_eq!(f(&[0xD7FF, 0xDC00]).bytes, b"\xED\x9F\xBF\xED\xB0\x80");
1064 assert_eq!(f(&[0x61, 0xDC00]).bytes, b"\x61\xED\xB0\x80");
1065 assert_eq!(f(&[0xDC00]).bytes, b"\xED\xB0\x80");
1066 }
1067
1068 #[test]
1069 fn wtf8buf_extend() {
1070 fn e(initial: &[u32], extended: &[u32]) -> Wtf8Buf {
1071 fn c(value: &u32) -> CodePoint { CodePoint::from_u32(*value).unwrap() }
1072 let mut string = initial.iter().map(c).collect::<Wtf8Buf>();
1073 string.extend(extended.iter().map(c));
1074 string
1075 }
1076
1077 assert_eq!(e(&[0x61, 0xE9], &[0x20, 0x1F4A9]).bytes,
1078 b"a\xC3\xA9 \xF0\x9F\x92\xA9");
1079
1080 assert_eq!(e(&[0xD83D], &[0xDCA9]).bytes, b"\xF0\x9F\x92\xA9"); // Magic!
1081 assert_eq!(e(&[0xD83D, 0x20], &[0xDCA9]).bytes, b"\xED\xA0\xBD \xED\xB2\xA9");
1082 assert_eq!(e(&[0xD800], &[0xDBFF]).bytes, b"\xED\xA0\x80\xED\xAF\xBF");
1083 assert_eq!(e(&[0xD800], &[0xE000]).bytes, b"\xED\xA0\x80\xEE\x80\x80");
1084 assert_eq!(e(&[0xD7FF], &[0xDC00]).bytes, b"\xED\x9F\xBF\xED\xB0\x80");
1085 assert_eq!(e(&[0x61], &[0xDC00]).bytes, b"\x61\xED\xB0\x80");
1086 assert_eq!(e(&[], &[0xDC00]).bytes, b"\xED\xB0\x80");
1087 }
1088
1089 #[test]
1090 fn wtf8buf_show() {
1091 let mut string = Wtf8Buf::from_str("a\té \u{7f}💩\r");
1092 string.push(CodePoint::from_u32(0xD800).unwrap());
1093 assert_eq!(format!("{:?}", string), "\"a\\ \\u{7f}\u{1f4a9}\\r\\u{d800}\"");
1094 }
1095
1096 #[test]
1097 fn wtf8buf_as_slice() {
1098 assert_eq!(Wtf8Buf::from_str("aé").as_slice(), Wtf8::from_str("aé"));
1099 }
1100
1101 #[test]
1102 fn wtf8buf_show_str() {
1103 let text = "a\té 💩\r";
1104 let string = Wtf8Buf::from_str(text);
1105 assert_eq!(format!("{:?}", text), format!("{:?}", string));
1106 }
1107
1108 #[test]
1109 fn wtf8_from_str() {
1110 assert_eq!(&Wtf8::from_str("").bytes, b"");
1111 assert_eq!(&Wtf8::from_str("aé 💩").bytes, b"a\xC3\xA9 \xF0\x9F\x92\xA9");
1112 }
1113
1114 #[test]
1115 fn wtf8_len() {
1116 assert_eq!(Wtf8::from_str("").len(), 0);
1117 assert_eq!(Wtf8::from_str("aé 💩").len(), 8);
1118 }
1119
1120 #[test]
1121 fn wtf8_slice() {
1122 assert_eq!(&Wtf8::from_str("aé 💩")[1.. 4].bytes, b"\xC3\xA9 ");
1123 }
1124
1125 #[test]
1126 #[should_panic]
1127 fn wtf8_slice_not_code_point_boundary() {
1128 &Wtf8::from_str("aé 💩")[2.. 4];
1129 }
1130
1131 #[test]
1132 fn wtf8_slice_from() {
1133 assert_eq!(&Wtf8::from_str("aé 💩")[1..].bytes, b"\xC3\xA9 \xF0\x9F\x92\xA9");
1134 }
1135
1136 #[test]
1137 #[should_panic]
1138 fn wtf8_slice_from_not_code_point_boundary() {
1139 &Wtf8::from_str("aé 💩")[2..];
1140 }
1141
1142 #[test]
1143 fn wtf8_slice_to() {
1144 assert_eq!(&Wtf8::from_str("aé 💩")[..4].bytes, b"a\xC3\xA9 ");
1145 }
1146
1147 #[test]
1148 #[should_panic]
1149 fn wtf8_slice_to_not_code_point_boundary() {
1150 &Wtf8::from_str("aé 💩")[5..];
1151 }
1152
1153 #[test]
1154 fn wtf8_ascii_byte_at() {
1155 let slice = Wtf8::from_str("aé 💩");
1156 assert_eq!(slice.ascii_byte_at(0), b'a');
1157 assert_eq!(slice.ascii_byte_at(1), b'\xFF');
1158 assert_eq!(slice.ascii_byte_at(2), b'\xFF');
1159 assert_eq!(slice.ascii_byte_at(3), b' ');
1160 assert_eq!(slice.ascii_byte_at(4), b'\xFF');
1161 }
1162
1163 #[test]
1164 fn wtf8_code_points() {
1165 fn c(value: u32) -> CodePoint { CodePoint::from_u32(value).unwrap() }
1166 fn cp(string: &Wtf8Buf) -> Vec<Option<char>> {
1167 string.code_points().map(|c| c.to_char()).collect::<Vec<_>>()
1168 }
1169 let mut string = Wtf8Buf::from_str("é ");
1170 assert_eq!(cp(&string), [Some('é'), Some(' ')]);
1171 string.push(c(0xD83D));
1172 assert_eq!(cp(&string), [Some('é'), Some(' '), None]);
1173 string.push(c(0xDCA9));
1174 assert_eq!(cp(&string), [Some('é'), Some(' '), Some('💩')]);
1175 }
1176
1177 #[test]
1178 fn wtf8_as_str() {
1179 assert_eq!(Wtf8::from_str("").as_str(), Some(""));
1180 assert_eq!(Wtf8::from_str("aé 💩").as_str(), Some("aé 💩"));
1181 let mut string = Wtf8Buf::new();
1182 string.push(CodePoint::from_u32(0xD800).unwrap());
1183 assert_eq!(string.as_str(), None);
1184 }
1185
1186 #[test]
1187 fn wtf8_to_string_lossy() {
1188 assert_eq!(Wtf8::from_str("").to_string_lossy(), Cow::Borrowed(""));
1189 assert_eq!(Wtf8::from_str("aé 💩").to_string_lossy(), Cow::Borrowed("aé 💩"));
1190 let mut string = Wtf8Buf::from_str("aé 💩");
1191 string.push(CodePoint::from_u32(0xD800).unwrap());
1192 let expected: Cow<str> = Cow::Owned(String::from("aé 💩�"));
1193 assert_eq!(string.to_string_lossy(), expected);
1194 }
1195
1196 #[test]
1197 fn wtf8_encode_wide() {
1198 let mut string = Wtf8Buf::from_str("aé ");
1199 string.push(CodePoint::from_u32(0xD83D).unwrap());
1200 string.push_char('💩');
1201 assert_eq!(string.encode_wide().collect::<Vec<_>>(),
1202 vec![0x61, 0xE9, 0x20, 0xD83D, 0xD83D, 0xDCA9]);
1203 }
1204 }