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