core/char/methods.rs
1//! impl char {}
2
3use super::*;
4use crate::panic::const_panic;
5use crate::slice;
6use crate::str::from_utf8_unchecked_mut;
7use crate::ub_checks::assert_unsafe_precondition;
8use crate::unicode::printable::is_printable;
9use crate::unicode::{self, conversions};
10
11impl char {
12 /// The lowest valid code point a `char` can have, `'\0'`.
13 ///
14 /// Unlike integer types, `char` actually has a gap in the middle,
15 /// meaning that the range of possible `char`s is smaller than you
16 /// might expect. Ranges of `char` will automatically hop this gap
17 /// for you:
18 ///
19 /// ```
20 /// let dist = u32::from(char::MAX) - u32::from(char::MIN);
21 /// let size = (char::MIN..=char::MAX).count() as u32;
22 /// assert!(size < dist);
23 /// ```
24 ///
25 /// Despite this gap, the `MIN` and [`MAX`] values can be used as bounds for
26 /// all `char` values.
27 ///
28 /// [`MAX`]: char::MAX
29 ///
30 /// # Examples
31 ///
32 /// ```
33 /// # fn something_which_returns_char() -> char { 'a' }
34 /// let c: char = something_which_returns_char();
35 /// assert!(char::MIN <= c);
36 ///
37 /// let value_at_min = u32::from(char::MIN);
38 /// assert_eq!(char::from_u32(value_at_min), Some('\0'));
39 /// ```
40 #[stable(feature = "char_min", since = "1.83.0")]
41 pub const MIN: char = '\0';
42
43 /// The highest valid code point a `char` can have, `'\u{10FFFF}'`.
44 ///
45 /// Unlike integer types, `char` actually has a gap in the middle,
46 /// meaning that the range of possible `char`s is smaller than you
47 /// might expect. Ranges of `char` will automatically hop this gap
48 /// for you:
49 ///
50 /// ```
51 /// let dist = u32::from(char::MAX) - u32::from(char::MIN);
52 /// let size = (char::MIN..=char::MAX).count() as u32;
53 /// assert!(size < dist);
54 /// ```
55 ///
56 /// Despite this gap, the [`MIN`] and `MAX` values can be used as bounds for
57 /// all `char` values.
58 ///
59 /// [`MIN`]: char::MIN
60 ///
61 /// # Examples
62 ///
63 /// ```
64 /// # fn something_which_returns_char() -> char { 'a' }
65 /// let c: char = something_which_returns_char();
66 /// assert!(c <= char::MAX);
67 ///
68 /// let value_at_max = u32::from(char::MAX);
69 /// assert_eq!(char::from_u32(value_at_max), Some('\u{10FFFF}'));
70 /// assert_eq!(char::from_u32(value_at_max + 1), None);
71 /// ```
72 #[stable(feature = "assoc_char_consts", since = "1.52.0")]
73 pub const MAX: char = '\u{10FFFF}';
74
75 /// The maximum number of bytes required to [encode](char::encode_utf8) a `char` to
76 /// UTF-8 encoding.
77 #[stable(feature = "char_max_len_assoc", since = "1.93.0")]
78 pub const MAX_LEN_UTF8: usize = 4;
79
80 /// The maximum number of two-byte units required to [encode](char::encode_utf16) a `char`
81 /// to UTF-16 encoding.
82 #[stable(feature = "char_max_len_assoc", since = "1.93.0")]
83 pub const MAX_LEN_UTF16: usize = 2;
84
85 /// `U+FFFD REPLACEMENT CHARACTER` (�) is used in Unicode to represent a
86 /// decoding error.
87 ///
88 /// It can occur, for example, when giving ill-formed UTF-8 bytes to
89 /// [`String::from_utf8_lossy`](../std/string/struct.String.html#method.from_utf8_lossy).
90 #[stable(feature = "assoc_char_consts", since = "1.52.0")]
91 pub const REPLACEMENT_CHARACTER: char = '\u{FFFD}';
92
93 /// The version of [Unicode](https://www.unicode.org/) that the Unicode parts of
94 /// `char` and `str` methods are based on.
95 ///
96 /// New versions of Unicode are released regularly and subsequently all methods
97 /// in the standard library depending on Unicode are updated. Therefore the
98 /// behavior of some `char` and `str` methods and the value of this constant
99 /// changes over time. This is *not* considered to be a breaking change.
100 ///
101 /// The version numbering scheme is explained in
102 /// [Unicode 11.0 or later, Section 3.1 Versions of the Unicode Standard](https://www.unicode.org/versions/Unicode11.0.0/ch03.pdf#page=4).
103 #[stable(feature = "assoc_char_consts", since = "1.52.0")]
104 pub const UNICODE_VERSION: (u8, u8, u8) = crate::unicode::UNICODE_VERSION;
105
106 /// Creates an iterator over the native endian UTF-16 encoded code points in `iter`,
107 /// returning unpaired surrogates as `Err`s.
108 ///
109 /// # Examples
110 ///
111 /// Basic usage:
112 ///
113 /// ```
114 /// // 𝄞mus<invalid>ic<invalid>
115 /// let v = [
116 /// 0xD834, 0xDD1E, 0x006d, 0x0075, 0x0073, 0xDD1E, 0x0069, 0x0063, 0xD834,
117 /// ];
118 ///
119 /// assert_eq!(
120 /// char::decode_utf16(v)
121 /// .map(|r| r.map_err(|e| e.unpaired_surrogate()))
122 /// .collect::<Vec<_>>(),
123 /// vec![
124 /// Ok('𝄞'),
125 /// Ok('m'), Ok('u'), Ok('s'),
126 /// Err(0xDD1E),
127 /// Ok('i'), Ok('c'),
128 /// Err(0xD834)
129 /// ]
130 /// );
131 /// ```
132 ///
133 /// A lossy decoder can be obtained by replacing `Err` results with the replacement character:
134 ///
135 /// ```
136 /// // 𝄞mus<invalid>ic<invalid>
137 /// let v = [
138 /// 0xD834, 0xDD1E, 0x006d, 0x0075, 0x0073, 0xDD1E, 0x0069, 0x0063, 0xD834,
139 /// ];
140 ///
141 /// assert_eq!(
142 /// char::decode_utf16(v)
143 /// .map(|r| r.unwrap_or(char::REPLACEMENT_CHARACTER))
144 /// .collect::<String>(),
145 /// "𝄞mus�ic�"
146 /// );
147 /// ```
148 #[stable(feature = "assoc_char_funcs", since = "1.52.0")]
149 #[inline]
150 pub fn decode_utf16<I: IntoIterator<Item = u16>>(iter: I) -> DecodeUtf16<I::IntoIter> {
151 super::decode::decode_utf16(iter)
152 }
153
154 /// Converts a `u32` to a `char`.
155 ///
156 /// Note that all `char`s are valid [`u32`]s, and can be cast to one with
157 /// [`as`](../std/keyword.as.html):
158 ///
159 /// ```
160 /// let c = '💯';
161 /// let i = c as u32;
162 ///
163 /// assert_eq!(128175, i);
164 /// ```
165 ///
166 /// However, the reverse is not true: not all valid [`u32`]s are valid
167 /// `char`s. `from_u32()` will return `None` if the input is not a valid value
168 /// for a `char`.
169 ///
170 /// For an unsafe version of this function which ignores these checks, see
171 /// [`from_u32_unchecked`].
172 ///
173 /// [`from_u32_unchecked`]: #method.from_u32_unchecked
174 ///
175 /// # Examples
176 ///
177 /// Basic usage:
178 ///
179 /// ```
180 /// let c = char::from_u32(0x2764);
181 ///
182 /// assert_eq!(Some('❤'), c);
183 /// ```
184 ///
185 /// Returning `None` when the input is not a valid `char`:
186 ///
187 /// ```
188 /// let c = char::from_u32(0x110000);
189 ///
190 /// assert_eq!(None, c);
191 /// ```
192 #[stable(feature = "assoc_char_funcs", since = "1.52.0")]
193 #[rustc_const_stable(feature = "const_char_convert", since = "1.67.0")]
194 #[must_use]
195 #[inline]
196 pub const fn from_u32(i: u32) -> Option<char> {
197 super::convert::from_u32(i)
198 }
199
200 /// Converts a `u32` to a `char`, ignoring validity.
201 ///
202 /// Note that all `char`s are valid [`u32`]s, and can be cast to one with
203 /// `as`:
204 ///
205 /// ```
206 /// let c = '💯';
207 /// let i = c as u32;
208 ///
209 /// assert_eq!(128175, i);
210 /// ```
211 ///
212 /// However, the reverse is not true: not all valid [`u32`]s are valid
213 /// `char`s. `from_u32_unchecked()` will ignore this, and blindly cast to
214 /// `char`, possibly creating an invalid one.
215 ///
216 /// # Safety
217 ///
218 /// This function is unsafe, as it may construct invalid `char` values.
219 ///
220 /// For a safe version of this function, see the [`from_u32`] function.
221 ///
222 /// [`from_u32`]: #method.from_u32
223 ///
224 /// # Examples
225 ///
226 /// Basic usage:
227 ///
228 /// ```
229 /// let c = unsafe { char::from_u32_unchecked(0x2764) };
230 ///
231 /// assert_eq!('❤', c);
232 /// ```
233 #[stable(feature = "assoc_char_funcs", since = "1.52.0")]
234 #[rustc_const_stable(feature = "const_char_from_u32_unchecked", since = "1.81.0")]
235 #[must_use]
236 #[inline]
237 pub const unsafe fn from_u32_unchecked(i: u32) -> char {
238 // SAFETY: the safety contract must be upheld by the caller.
239 unsafe { super::convert::from_u32_unchecked(i) }
240 }
241
242 /// Converts a digit in the given radix to a `char`.
243 ///
244 /// A 'radix' here is sometimes also called a 'base'. A radix of two
245 /// indicates a binary number, a radix of ten, decimal, and a radix of
246 /// sixteen, hexadecimal, to give some common values. Arbitrary
247 /// radices are supported.
248 ///
249 /// `from_digit()` will return `None` if the input is not a digit in
250 /// the given radix.
251 ///
252 /// # Panics
253 ///
254 /// Panics if given a radix larger than 36.
255 ///
256 /// # Examples
257 ///
258 /// Basic usage:
259 ///
260 /// ```
261 /// let c = char::from_digit(4, 10);
262 ///
263 /// assert_eq!(Some('4'), c);
264 ///
265 /// // Decimal 11 is a single digit in base 16
266 /// let c = char::from_digit(11, 16);
267 ///
268 /// assert_eq!(Some('b'), c);
269 /// ```
270 ///
271 /// Returning `None` when the input is not a digit:
272 ///
273 /// ```
274 /// let c = char::from_digit(20, 10);
275 ///
276 /// assert_eq!(None, c);
277 /// ```
278 ///
279 /// Passing a large radix, causing a panic:
280 ///
281 /// ```should_panic
282 /// // this panics
283 /// let _c = char::from_digit(1, 37);
284 /// ```
285 #[stable(feature = "assoc_char_funcs", since = "1.52.0")]
286 #[rustc_const_stable(feature = "const_char_convert", since = "1.67.0")]
287 #[must_use]
288 #[inline]
289 pub const fn from_digit(num: u32, radix: u32) -> Option<char> {
290 super::convert::from_digit(num, radix)
291 }
292
293 /// Checks if a `char` is a digit in the given radix.
294 ///
295 /// A 'radix' here is sometimes also called a 'base'. A radix of two
296 /// indicates a binary number, a radix of ten, decimal, and a radix of
297 /// sixteen, hexadecimal, to give some common values. Arbitrary
298 /// radices are supported.
299 ///
300 /// Compared to [`is_numeric()`], this function only recognizes the characters
301 /// `0-9`, `a-z` and `A-Z`.
302 ///
303 /// 'Digit' is defined to be only the following characters:
304 ///
305 /// * `0-9`
306 /// * `a-z`
307 /// * `A-Z`
308 ///
309 /// For a more comprehensive understanding of 'digit', see [`is_numeric()`].
310 ///
311 /// [`is_numeric()`]: #method.is_numeric
312 ///
313 /// # Panics
314 ///
315 /// Panics if given a radix smaller than 2 or larger than 36.
316 ///
317 /// # Examples
318 ///
319 /// Basic usage:
320 ///
321 /// ```
322 /// assert!('1'.is_digit(10));
323 /// assert!('f'.is_digit(16));
324 /// assert!(!'f'.is_digit(10));
325 /// ```
326 ///
327 /// Passing a large radix, causing a panic:
328 ///
329 /// ```should_panic
330 /// // this panics
331 /// '1'.is_digit(37);
332 /// ```
333 ///
334 /// Passing a small radix, causing a panic:
335 ///
336 /// ```should_panic
337 /// // this panics
338 /// '1'.is_digit(1);
339 /// ```
340 #[stable(feature = "rust1", since = "1.0.0")]
341 #[rustc_const_stable(feature = "const_char_classify", since = "1.87.0")]
342 #[inline]
343 pub const fn is_digit(self, radix: u32) -> bool {
344 self.to_digit(radix).is_some()
345 }
346
347 /// Converts a `char` to a digit in the given radix.
348 ///
349 /// A 'radix' here is sometimes also called a 'base'. A radix of two
350 /// indicates a binary number, a radix of ten, decimal, and a radix of
351 /// sixteen, hexadecimal, to give some common values. Arbitrary
352 /// radices are supported.
353 ///
354 /// 'Digit' is defined to be only the following characters:
355 ///
356 /// * `0-9`
357 /// * `a-z`
358 /// * `A-Z`
359 ///
360 /// # Errors
361 ///
362 /// Returns `None` if the `char` does not refer to a digit in the given radix.
363 ///
364 /// # Panics
365 ///
366 /// Panics if given a radix smaller than 2 or larger than 36.
367 ///
368 /// # Examples
369 ///
370 /// Basic usage:
371 ///
372 /// ```
373 /// assert_eq!('1'.to_digit(10), Some(1));
374 /// assert_eq!('f'.to_digit(16), Some(15));
375 /// ```
376 ///
377 /// Passing a non-digit results in failure:
378 ///
379 /// ```
380 /// assert_eq!('f'.to_digit(10), None);
381 /// assert_eq!('z'.to_digit(16), None);
382 /// ```
383 ///
384 /// Passing a large radix, causing a panic:
385 ///
386 /// ```should_panic
387 /// // this panics
388 /// let _ = '1'.to_digit(37);
389 /// ```
390 /// Passing a small radix, causing a panic:
391 ///
392 /// ```should_panic
393 /// // this panics
394 /// let _ = '1'.to_digit(1);
395 /// ```
396 #[stable(feature = "rust1", since = "1.0.0")]
397 #[rustc_const_stable(feature = "const_char_convert", since = "1.67.0")]
398 #[rustc_diagnostic_item = "char_to_digit"]
399 #[must_use = "this returns the result of the operation, \
400 without modifying the original"]
401 #[inline]
402 pub const fn to_digit(self, radix: u32) -> Option<u32> {
403 assert!(
404 radix >= 2 && radix <= 36,
405 "to_digit: invalid radix -- radix must be in the range 2 to 36 inclusive"
406 );
407 // check radix to remove letter handling code when radix is a known constant
408 let value = if self > '9' && radix > 10 {
409 // mask to convert ASCII letters to uppercase
410 const TO_UPPERCASE_MASK: u32 = !0b0010_0000;
411 // Converts an ASCII letter to its corresponding integer value:
412 // A-Z => 10-35, a-z => 10-35. Other characters produce values >= 36.
413 //
414 // Add Overflow Safety:
415 // By applying the mask after the subtraction, the first addendum is
416 // constrained such that it never exceeds u32::MAX - 0x20.
417 ((self as u32).wrapping_sub('A' as u32) & TO_UPPERCASE_MASK) + 10
418 } else {
419 // convert digit to value, non-digits wrap to values > 36
420 (self as u32).wrapping_sub('0' as u32)
421 };
422 // FIXME(const-hack): once then_some is const fn, use it here
423 if value < radix { Some(value) } else { None }
424 }
425
426 /// Returns an iterator that yields the hexadecimal Unicode escape of a
427 /// character as `char`s.
428 ///
429 /// This will escape characters with the Rust syntax of the form
430 /// `\u{NNNNNN}` where `NNNNNN` is a hexadecimal representation.
431 ///
432 /// # Examples
433 ///
434 /// As an iterator:
435 ///
436 /// ```
437 /// for c in '❤'.escape_unicode() {
438 /// print!("{c}");
439 /// }
440 /// println!();
441 /// ```
442 ///
443 /// Using `println!` directly:
444 ///
445 /// ```
446 /// println!("{}", '❤'.escape_unicode());
447 /// ```
448 ///
449 /// Both are equivalent to:
450 ///
451 /// ```
452 /// println!("\\u{{2764}}");
453 /// ```
454 ///
455 /// Using [`to_string`](../std/string/trait.ToString.html#tymethod.to_string):
456 ///
457 /// ```
458 /// assert_eq!('❤'.escape_unicode().to_string(), "\\u{2764}");
459 /// ```
460 #[must_use = "this returns the escaped char as an iterator, \
461 without modifying the original"]
462 #[stable(feature = "rust1", since = "1.0.0")]
463 #[inline]
464 pub fn escape_unicode(self) -> EscapeUnicode {
465 EscapeUnicode::new(self)
466 }
467
468 /// An extended version of `escape_debug` that optionally permits escaping
469 /// Extended Grapheme codepoints, single quotes, and double quotes. This
470 /// allows us to format characters like nonspacing marks better when they're
471 /// at the start of a string, and allows escaping single quotes in
472 /// characters, and double quotes in strings.
473 #[inline]
474 pub(crate) fn escape_debug_ext(self, args: EscapeDebugExtArgs) -> EscapeDebug {
475 match self {
476 '\0' => EscapeDebug::backslash(ascii::Char::Digit0),
477 '\t' => EscapeDebug::backslash(ascii::Char::SmallT),
478 '\r' => EscapeDebug::backslash(ascii::Char::SmallR),
479 '\n' => EscapeDebug::backslash(ascii::Char::SmallN),
480 '\\' => EscapeDebug::backslash(ascii::Char::ReverseSolidus),
481 '\"' if args.escape_double_quote => EscapeDebug::backslash(ascii::Char::QuotationMark),
482 '\'' if args.escape_single_quote => EscapeDebug::backslash(ascii::Char::Apostrophe),
483 _ if args.escape_grapheme_extended && self.is_grapheme_extended() => {
484 EscapeDebug::unicode(self)
485 }
486 _ if is_printable(self) => EscapeDebug::printable(self),
487 _ => EscapeDebug::unicode(self),
488 }
489 }
490
491 /// Returns an iterator that yields the literal escape code of a character
492 /// as `char`s.
493 ///
494 /// This will escape the characters similar to the [`Debug`](core::fmt::Debug) implementations
495 /// of `str` or `char`.
496 ///
497 /// # Examples
498 ///
499 /// As an iterator:
500 ///
501 /// ```
502 /// for c in '\n'.escape_debug() {
503 /// print!("{c}");
504 /// }
505 /// println!();
506 /// ```
507 ///
508 /// Using `println!` directly:
509 ///
510 /// ```
511 /// println!("{}", '\n'.escape_debug());
512 /// ```
513 ///
514 /// Both are equivalent to:
515 ///
516 /// ```
517 /// println!("\\n");
518 /// ```
519 ///
520 /// Using [`to_string`](../std/string/trait.ToString.html#tymethod.to_string):
521 ///
522 /// ```
523 /// assert_eq!('\n'.escape_debug().to_string(), "\\n");
524 /// ```
525 #[must_use = "this returns the escaped char as an iterator, \
526 without modifying the original"]
527 #[stable(feature = "char_escape_debug", since = "1.20.0")]
528 #[inline]
529 pub fn escape_debug(self) -> EscapeDebug {
530 self.escape_debug_ext(EscapeDebugExtArgs::ESCAPE_ALL)
531 }
532
533 /// Returns an iterator that yields the literal escape code of a character
534 /// as `char`s.
535 ///
536 /// The default is chosen with a bias toward producing literals that are
537 /// legal in a variety of languages, including C++11 and similar C-family
538 /// languages. The exact rules are:
539 ///
540 /// * Tab is escaped as `\t`.
541 /// * Carriage return is escaped as `\r`.
542 /// * Line feed is escaped as `\n`.
543 /// * Single quote is escaped as `\'`.
544 /// * Double quote is escaped as `\"`.
545 /// * Backslash is escaped as `\\`.
546 /// * Any character in the 'printable ASCII' range `0x20` .. `0x7e`
547 /// inclusive is not escaped.
548 /// * All other characters are given hexadecimal Unicode escapes; see
549 /// [`escape_unicode`].
550 ///
551 /// [`escape_unicode`]: #method.escape_unicode
552 ///
553 /// # Examples
554 ///
555 /// As an iterator:
556 ///
557 /// ```
558 /// for c in '"'.escape_default() {
559 /// print!("{c}");
560 /// }
561 /// println!();
562 /// ```
563 ///
564 /// Using `println!` directly:
565 ///
566 /// ```
567 /// println!("{}", '"'.escape_default());
568 /// ```
569 ///
570 /// Both are equivalent to:
571 ///
572 /// ```
573 /// println!("\\\"");
574 /// ```
575 ///
576 /// Using [`to_string`](../std/string/trait.ToString.html#tymethod.to_string):
577 ///
578 /// ```
579 /// assert_eq!('"'.escape_default().to_string(), "\\\"");
580 /// ```
581 #[must_use = "this returns the escaped char as an iterator, \
582 without modifying the original"]
583 #[stable(feature = "rust1", since = "1.0.0")]
584 #[inline]
585 pub fn escape_default(self) -> EscapeDefault {
586 match self {
587 '\t' => EscapeDefault::backslash(ascii::Char::SmallT),
588 '\r' => EscapeDefault::backslash(ascii::Char::SmallR),
589 '\n' => EscapeDefault::backslash(ascii::Char::SmallN),
590 '\\' | '\'' | '\"' => EscapeDefault::backslash(self.as_ascii().unwrap()),
591 '\x20'..='\x7e' => EscapeDefault::printable(self.as_ascii().unwrap()),
592 _ => EscapeDefault::unicode(self),
593 }
594 }
595
596 /// Returns the number of bytes this `char` would need if encoded in UTF-8.
597 ///
598 /// That number of bytes is always between 1 and 4, inclusive.
599 ///
600 /// # Examples
601 ///
602 /// Basic usage:
603 ///
604 /// ```
605 /// let len = 'A'.len_utf8();
606 /// assert_eq!(len, 1);
607 ///
608 /// let len = 'ß'.len_utf8();
609 /// assert_eq!(len, 2);
610 ///
611 /// let len = 'ℝ'.len_utf8();
612 /// assert_eq!(len, 3);
613 ///
614 /// let len = '💣'.len_utf8();
615 /// assert_eq!(len, 4);
616 /// ```
617 ///
618 /// The `&str` type guarantees that its contents are UTF-8, and so we can compare the length it
619 /// would take if each code point was represented as a `char` vs in the `&str` itself:
620 ///
621 /// ```
622 /// // as chars
623 /// let eastern = '東';
624 /// let capital = '京';
625 ///
626 /// // both can be represented as three bytes
627 /// assert_eq!(3, eastern.len_utf8());
628 /// assert_eq!(3, capital.len_utf8());
629 ///
630 /// // as a &str, these two are encoded in UTF-8
631 /// let tokyo = "東京";
632 ///
633 /// let len = eastern.len_utf8() + capital.len_utf8();
634 ///
635 /// // we can see that they take six bytes total...
636 /// assert_eq!(6, tokyo.len());
637 ///
638 /// // ... just like the &str
639 /// assert_eq!(len, tokyo.len());
640 /// ```
641 #[stable(feature = "rust1", since = "1.0.0")]
642 #[rustc_const_stable(feature = "const_char_len_utf", since = "1.52.0")]
643 #[inline]
644 #[must_use]
645 pub const fn len_utf8(self) -> usize {
646 len_utf8(self as u32)
647 }
648
649 /// Returns the number of 16-bit code units this `char` would need if
650 /// encoded in UTF-16.
651 ///
652 /// That number of code units is always either 1 or 2, for unicode scalar values in
653 /// the [basic multilingual plane] or [supplementary planes] respectively.
654 ///
655 /// See the documentation for [`len_utf8()`] for more explanation of this
656 /// concept. This function is a mirror, but for UTF-16 instead of UTF-8.
657 ///
658 /// [basic multilingual plane]: http://www.unicode.org/glossary/#basic_multilingual_plane
659 /// [supplementary planes]: http://www.unicode.org/glossary/#supplementary_planes
660 /// [`len_utf8()`]: #method.len_utf8
661 ///
662 /// # Examples
663 ///
664 /// Basic usage:
665 ///
666 /// ```
667 /// let n = 'ß'.len_utf16();
668 /// assert_eq!(n, 1);
669 ///
670 /// let len = '💣'.len_utf16();
671 /// assert_eq!(len, 2);
672 /// ```
673 #[stable(feature = "rust1", since = "1.0.0")]
674 #[rustc_const_stable(feature = "const_char_len_utf", since = "1.52.0")]
675 #[inline]
676 #[must_use]
677 pub const fn len_utf16(self) -> usize {
678 len_utf16(self as u32)
679 }
680
681 /// Encodes this character as UTF-8 into the provided byte buffer,
682 /// and then returns the subslice of the buffer that contains the encoded character.
683 ///
684 /// # Panics
685 ///
686 /// Panics if the buffer is not large enough.
687 /// A buffer of length four is large enough to encode any `char`.
688 ///
689 /// # Examples
690 ///
691 /// In both of these examples, 'ß' takes two bytes to encode.
692 ///
693 /// ```
694 /// let mut b = [0; 2];
695 ///
696 /// let result = 'ß'.encode_utf8(&mut b);
697 ///
698 /// assert_eq!(result, "ß");
699 ///
700 /// assert_eq!(result.len(), 2);
701 /// ```
702 ///
703 /// A buffer that's too small:
704 ///
705 /// ```should_panic
706 /// let mut b = [0; 1];
707 ///
708 /// // this panics
709 /// 'ß'.encode_utf8(&mut b);
710 /// ```
711 #[stable(feature = "unicode_encode_char", since = "1.15.0")]
712 #[rustc_const_stable(feature = "const_char_encode_utf8", since = "1.83.0")]
713 #[inline]
714 pub const fn encode_utf8(self, dst: &mut [u8]) -> &mut str {
715 // SAFETY: `char` is not a surrogate, so this is valid UTF-8.
716 unsafe { from_utf8_unchecked_mut(encode_utf8_raw(self as u32, dst)) }
717 }
718
719 /// Encodes this character as native endian UTF-16 into the provided `u16` buffer,
720 /// and then returns the subslice of the buffer that contains the encoded character.
721 ///
722 /// # Panics
723 ///
724 /// Panics if the buffer is not large enough.
725 /// A buffer of length 2 is large enough to encode any `char`.
726 ///
727 /// # Examples
728 ///
729 /// In both of these examples, '𝕊' takes two `u16`s to encode.
730 ///
731 /// ```
732 /// let mut b = [0; 2];
733 ///
734 /// let result = '𝕊'.encode_utf16(&mut b);
735 ///
736 /// assert_eq!(result.len(), 2);
737 /// ```
738 ///
739 /// A buffer that's too small:
740 ///
741 /// ```should_panic
742 /// let mut b = [0; 1];
743 ///
744 /// // this panics
745 /// '𝕊'.encode_utf16(&mut b);
746 /// ```
747 #[stable(feature = "unicode_encode_char", since = "1.15.0")]
748 #[rustc_const_stable(feature = "const_char_encode_utf16", since = "1.84.0")]
749 #[inline]
750 pub const fn encode_utf16(self, dst: &mut [u16]) -> &mut [u16] {
751 encode_utf16_raw(self as u32, dst)
752 }
753
754 /// Returns `true` if this `char` has the `Alphabetic` property.
755 ///
756 /// `Alphabetic` is described in Chapter 4 (Character Properties) of the [Unicode Standard] and
757 /// specified in the [Unicode Character Database][ucd] [`DerivedCoreProperties.txt`].
758 ///
759 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
760 /// [ucd]: https://www.unicode.org/reports/tr44/
761 /// [`DerivedCoreProperties.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/DerivedCoreProperties.txt
762 ///
763 /// # Examples
764 ///
765 /// Basic usage:
766 ///
767 /// ```
768 /// assert!('a'.is_alphabetic());
769 /// assert!('京'.is_alphabetic());
770 ///
771 /// let c = '💝';
772 /// // love is many things, but it is not alphabetic
773 /// assert!(!c.is_alphabetic());
774 /// ```
775 #[must_use]
776 #[stable(feature = "rust1", since = "1.0.0")]
777 #[inline]
778 pub fn is_alphabetic(self) -> bool {
779 match self {
780 'a'..='z' | 'A'..='Z' => true,
781 '\0'..='\u{A9}' => false,
782 _ => unicode::Alphabetic(self),
783 }
784 }
785
786 /// Returns `true` if this `char` has the `Cased` property.
787 /// A character is cased if and only if it is uppercase, lowercase, or titlecase.
788 ///
789 /// `Cased` is described in Chapter 4 (Character Properties) of the [Unicode Standard] and
790 /// specified in the [Unicode Character Database][ucd] [`DerivedCoreProperties.txt`].
791 ///
792 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
793 /// [ucd]: https://www.unicode.org/reports/tr44/
794 /// [`DerivedCoreProperties.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/DerivedCoreProperties.txt
795 ///
796 /// # Examples
797 ///
798 /// Basic usage:
799 ///
800 /// ```
801 /// #![feature(titlecase)]
802 /// assert!('A'.is_cased());
803 /// assert!('a'.is_cased());
804 /// assert!(!'京'.is_cased());
805 /// ```
806 #[must_use]
807 #[unstable(feature = "titlecase", issue = "153892")]
808 #[inline]
809 pub fn is_cased(self) -> bool {
810 match self {
811 'a'..='z' | 'A'..='Z' => true,
812 '\0'..='\u{A9}' => false,
813 _ => unicode::Cased(self),
814 }
815 }
816
817 /// Returns the case of this character:
818 /// [`Some(CharCase::Upper)`][`CharCase::Upper`] if [`self.is_uppercase()`][`char::is_uppercase`],
819 /// [`Some(CharCase::Lower)`][`CharCase::Lower`] if [`self.is_lowercase()`][`char::is_lowercase`],
820 /// [`Some(CharCase::Title)`][`CharCase::Title`] if [`self.is_titlecase()`][`char::is_titlecase`], and
821 /// `None` if [`!self.is_cased()`][`char::is_cased`].
822 ///
823 /// # Examples
824 ///
825 /// ```
826 /// #![feature(titlecase)]
827 /// use core::char::CharCase;
828 /// assert_eq!('a'.case(), Some(CharCase::Lower));
829 /// assert_eq!('δ'.case(), Some(CharCase::Lower));
830 /// assert_eq!('A'.case(), Some(CharCase::Upper));
831 /// assert_eq!('Δ'.case(), Some(CharCase::Upper));
832 /// assert_eq!('Dž'.case(), Some(CharCase::Title));
833 /// assert_eq!('中'.case(), None);
834 /// ```
835 #[must_use]
836 #[unstable(feature = "titlecase", issue = "153892")]
837 #[inline]
838 pub fn case(self) -> Option<CharCase> {
839 match self {
840 'a'..='z' => Some(CharCase::Lower),
841 'A'..='Z' => Some(CharCase::Upper),
842 '\0'..='\u{A9}' => None,
843 _ if !unicode::Cased(self) => None,
844 _ if unicode::Lowercase(self) => Some(CharCase::Lower),
845 _ if unicode::Uppercase(self) => Some(CharCase::Upper),
846 _ => Some(CharCase::Title),
847 }
848 }
849
850 /// Returns `true` if this `char` has the `Lowercase` property.
851 ///
852 /// `Lowercase` is described in Chapter 4 (Character Properties) of the [Unicode Standard] and
853 /// specified in the [Unicode Character Database][ucd] [`DerivedCoreProperties.txt`].
854 ///
855 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
856 /// [ucd]: https://www.unicode.org/reports/tr44/
857 /// [`DerivedCoreProperties.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/DerivedCoreProperties.txt
858 ///
859 /// # Examples
860 ///
861 /// Basic usage:
862 ///
863 /// ```
864 /// assert!('a'.is_lowercase());
865 /// assert!('δ'.is_lowercase());
866 /// assert!(!'A'.is_lowercase());
867 /// assert!(!'Δ'.is_lowercase());
868 ///
869 /// // The various Chinese scripts and punctuation do not have case, and so:
870 /// assert!(!'中'.is_lowercase());
871 /// assert!(!' '.is_lowercase());
872 /// ```
873 ///
874 /// In a const context:
875 ///
876 /// ```
877 /// const CAPITAL_DELTA_IS_LOWERCASE: bool = 'Δ'.is_lowercase();
878 /// assert!(!CAPITAL_DELTA_IS_LOWERCASE);
879 /// ```
880 #[must_use]
881 #[stable(feature = "rust1", since = "1.0.0")]
882 #[rustc_const_stable(feature = "const_unicode_case_lookup", since = "1.84.0")]
883 #[inline]
884 pub const fn is_lowercase(self) -> bool {
885 match self {
886 'a'..='z' => true,
887 '\0'..='\u{A9}' => false,
888 _ => unicode::Lowercase(self),
889 }
890 }
891
892 /// Returns `true` if this `char` has the general category for titlecase letters.
893 /// Conceptually, these characters consist of an uppercase portion followed by a lowercase portion.
894 ///
895 /// Titlecase letters (code points with the general category of `Lt`) are described in Chapter 4
896 /// (Character Properties) of the [Unicode Standard] and specified in the [Unicode Character
897 /// Database][ucd] [`UnicodeData.txt`].
898 ///
899 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
900 /// [ucd]: https://www.unicode.org/reports/tr44/
901 /// [`UnicodeData.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/UnicodeData.txt
902 ///
903 /// # Examples
904 ///
905 /// Basic usage:
906 ///
907 /// ```
908 /// #![feature(titlecase)]
909 /// assert!('Dž'.is_titlecase());
910 /// assert!('ῼ'.is_titlecase());
911 /// assert!(!'D'.is_titlecase());
912 /// assert!(!'z'.is_titlecase());
913 /// assert!(!'中'.is_titlecase());
914 /// assert!(!' '.is_titlecase());
915 /// ```
916 #[must_use]
917 #[unstable(feature = "titlecase", issue = "153892")]
918 #[inline]
919 pub fn is_titlecase(self) -> bool {
920 match self {
921 '\0'..='\u{01C4}' => false,
922 _ => self.is_cased() && !self.is_lowercase() && !self.is_uppercase(),
923 }
924 }
925
926 /// Returns `true` if this `char` has the `Uppercase` property.
927 ///
928 /// `Uppercase` is described in Chapter 4 (Character Properties) of the [Unicode Standard] and
929 /// specified in the [Unicode Character Database][ucd] [`DerivedCoreProperties.txt`].
930 ///
931 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
932 /// [ucd]: https://www.unicode.org/reports/tr44/
933 /// [`DerivedCoreProperties.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/DerivedCoreProperties.txt
934 ///
935 /// # Examples
936 ///
937 /// Basic usage:
938 ///
939 /// ```
940 /// assert!(!'a'.is_uppercase());
941 /// assert!(!'δ'.is_uppercase());
942 /// assert!('A'.is_uppercase());
943 /// assert!('Δ'.is_uppercase());
944 ///
945 /// // The various Chinese scripts and punctuation do not have case, and so:
946 /// assert!(!'中'.is_uppercase());
947 /// assert!(!' '.is_uppercase());
948 /// ```
949 ///
950 /// In a const context:
951 ///
952 /// ```
953 /// const CAPITAL_DELTA_IS_UPPERCASE: bool = 'Δ'.is_uppercase();
954 /// assert!(CAPITAL_DELTA_IS_UPPERCASE);
955 /// ```
956 #[must_use]
957 #[stable(feature = "rust1", since = "1.0.0")]
958 #[rustc_const_stable(feature = "const_unicode_case_lookup", since = "1.84.0")]
959 #[inline]
960 pub const fn is_uppercase(self) -> bool {
961 match self {
962 'A'..='Z' => true,
963 '\0'..='\u{BF}' => false,
964 _ => unicode::Uppercase(self),
965 }
966 }
967
968 /// Returns `true` if this `char` has the `White_Space` property.
969 ///
970 /// `White_Space` is specified in the [Unicode Character Database][ucd] [`PropList.txt`].
971 ///
972 /// [ucd]: https://www.unicode.org/reports/tr44/
973 /// [`PropList.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/PropList.txt
974 ///
975 /// # Examples
976 ///
977 /// Basic usage:
978 ///
979 /// ```
980 /// assert!(' '.is_whitespace());
981 ///
982 /// // line break
983 /// assert!('\n'.is_whitespace());
984 ///
985 /// // a non-breaking space
986 /// assert!('\u{A0}'.is_whitespace());
987 ///
988 /// assert!(!'越'.is_whitespace());
989 /// ```
990 #[must_use]
991 #[stable(feature = "rust1", since = "1.0.0")]
992 #[rustc_const_stable(feature = "const_char_classify", since = "1.87.0")]
993 #[inline]
994 pub const fn is_whitespace(self) -> bool {
995 match self {
996 ' ' | '\x09'..='\x0d' => true,
997 '\0'..='\u{84}' => false,
998 _ => unicode::White_Space(self),
999 }
1000 }
1001
1002 /// Returns `true` if this `char` satisfies either [`is_alphabetic()`] or [`is_numeric()`].
1003 ///
1004 /// [`is_alphabetic()`]: #method.is_alphabetic
1005 /// [`is_numeric()`]: #method.is_numeric
1006 ///
1007 /// # Examples
1008 ///
1009 /// Basic usage:
1010 ///
1011 /// ```
1012 /// assert!('٣'.is_alphanumeric());
1013 /// assert!('7'.is_alphanumeric());
1014 /// assert!('৬'.is_alphanumeric());
1015 /// assert!('¾'.is_alphanumeric());
1016 /// assert!('①'.is_alphanumeric());
1017 /// assert!('K'.is_alphanumeric());
1018 /// assert!('و'.is_alphanumeric());
1019 /// assert!('藏'.is_alphanumeric());
1020 /// ```
1021 #[must_use]
1022 #[stable(feature = "rust1", since = "1.0.0")]
1023 #[inline]
1024 pub fn is_alphanumeric(self) -> bool {
1025 match self {
1026 'a'..='z' | 'A'..='Z' | '0'..='9' => true,
1027 '\0'..='\u{A9}' => false,
1028 _ => unicode::Alphabetic(self) || unicode::N(self),
1029 }
1030 }
1031
1032 /// Returns `true` if this `char` has the general category for control codes.
1033 ///
1034 /// Control codes (code points with the general category of `Cc`) are described in Chapter 4
1035 /// (Character Properties) of the [Unicode Standard] and specified in the [Unicode Character
1036 /// Database][ucd] [`UnicodeData.txt`].
1037 ///
1038 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
1039 /// [ucd]: https://www.unicode.org/reports/tr44/
1040 /// [`UnicodeData.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/UnicodeData.txt
1041 ///
1042 /// # Examples
1043 ///
1044 /// Basic usage:
1045 ///
1046 /// ```
1047 /// // U+009C, STRING TERMINATOR
1048 /// assert!(''.is_control());
1049 /// assert!(!'q'.is_control());
1050 /// ```
1051 #[must_use]
1052 #[stable(feature = "rust1", since = "1.0.0")]
1053 #[inline]
1054 pub fn is_control(self) -> bool {
1055 // According to
1056 // https://www.unicode.org/policies/stability_policy.html#Property_Value,
1057 // the set of codepoints in `Cc` will never change.
1058 // So we can just hard-code the patterns to match against instead of using a table.
1059 matches!(self, '\0'..='\x1f' | '\x7f'..='\u{9f}')
1060 }
1061
1062 /// Returns `true` if this `char` has the `Grapheme_Extend` property.
1063 ///
1064 /// `Grapheme_Extend` is described in [Unicode Standard Annex #29 (Unicode Text
1065 /// Segmentation)][uax29] and specified in the [Unicode Character Database][ucd]
1066 /// [`DerivedCoreProperties.txt`].
1067 ///
1068 /// [uax29]: https://www.unicode.org/reports/tr29/
1069 /// [ucd]: https://www.unicode.org/reports/tr44/
1070 /// [`DerivedCoreProperties.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/DerivedCoreProperties.txt
1071 #[must_use]
1072 #[inline]
1073 pub(crate) fn is_grapheme_extended(self) -> bool {
1074 self > '\u{02FF}' && unicode::Grapheme_Extend(self)
1075 }
1076
1077 /// Returns `true` if this `char` has the `Case_Ignorable` property. This narrow-use property
1078 /// is used to implement context-dependent casing for the Greek letter sigma (uppercase Σ),
1079 /// which has two lowercase forms.
1080 ///
1081 /// `Case_Ignorable` is [described][D136] in Chapter 3 (Conformance) of the Unicode Core Specification,
1082 /// and specified in the [Unicode Character Database][ucd] [`DerivedCoreProperties.txt`];
1083 /// see those resources for more information.
1084 ///
1085 /// [D136]: https://www.unicode.org/versions/latest/core-spec/chapter-3/#G63116
1086 /// [ucd]: https://www.unicode.org/reports/tr44/
1087 /// [`DerivedCoreProperties.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/DerivedCoreProperties.txt
1088 #[must_use]
1089 #[inline]
1090 #[unstable(feature = "case_ignorable", issue = "154848")]
1091 pub fn is_case_ignorable(self) -> bool {
1092 if self.is_ascii() {
1093 matches!(self, '\'' | '.' | ':' | '^' | '`')
1094 } else {
1095 unicode::Case_Ignorable(self)
1096 }
1097 }
1098
1099 /// Returns `true` if this `char` has one of the general categories for numbers.
1100 ///
1101 /// The general categories for numbers (`Nd` for decimal digits, `Nl` for letter-like numeric
1102 /// characters, and `No` for other numeric characters) are specified in the [Unicode Character
1103 /// Database][ucd] [`UnicodeData.txt`].
1104 ///
1105 /// This method doesn't cover everything that could be considered a number, e.g. ideographic numbers like '三'.
1106 /// If you want everything including characters with overlapping purposes then you might want to use
1107 /// a unicode or language-processing library that exposes the appropriate character properties instead
1108 /// of looking at the unicode categories.
1109 ///
1110 /// If you want to parse ASCII decimal digits (0-9) or ASCII base-N, use
1111 /// `is_ascii_digit` or `is_digit` instead.
1112 ///
1113 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
1114 /// [ucd]: https://www.unicode.org/reports/tr44/
1115 /// [`UnicodeData.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/UnicodeData.txt
1116 ///
1117 /// # Examples
1118 ///
1119 /// Basic usage:
1120 ///
1121 /// ```
1122 /// assert!('٣'.is_numeric());
1123 /// assert!('7'.is_numeric());
1124 /// assert!('৬'.is_numeric());
1125 /// assert!('¾'.is_numeric());
1126 /// assert!('①'.is_numeric());
1127 /// assert!(!'K'.is_numeric());
1128 /// assert!(!'و'.is_numeric());
1129 /// assert!(!'藏'.is_numeric());
1130 /// assert!(!'三'.is_numeric());
1131 /// ```
1132 #[must_use]
1133 #[stable(feature = "rust1", since = "1.0.0")]
1134 #[inline]
1135 pub fn is_numeric(self) -> bool {
1136 match self {
1137 '0'..='9' => true,
1138 '\0'..='\u{B1}' => false,
1139 _ => unicode::N(self),
1140 }
1141 }
1142
1143 /// Returns an iterator that yields the lowercase mapping of this `char` as one or more
1144 /// `char`s.
1145 ///
1146 /// If this `char` does not have a lowercase mapping, the iterator yields the same `char`.
1147 ///
1148 /// If this `char` has a one-to-one lowercase mapping given by the [Unicode Character
1149 /// Database][ucd] [`UnicodeData.txt`], the iterator yields that `char`.
1150 ///
1151 /// [ucd]: https://www.unicode.org/reports/tr44/
1152 /// [`UnicodeData.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/UnicodeData.txt
1153 ///
1154 /// If this `char` requires special considerations (e.g. multiple `char`s) the iterator yields
1155 /// the `char`(s) given by [`SpecialCasing.txt`].
1156 ///
1157 /// [`SpecialCasing.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/SpecialCasing.txt
1158 ///
1159 /// This operation performs an unconditional mapping without tailoring. That is, the conversion
1160 /// is independent of context and language.
1161 ///
1162 /// In the [Unicode Standard], Chapter 4 (Character Properties) discusses case mapping in
1163 /// general and Chapter 3 (Conformance) discusses the default algorithm for case conversion.
1164 ///
1165 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
1166 ///
1167 /// # Examples
1168 ///
1169 /// As an iterator:
1170 ///
1171 /// ```
1172 /// for c in 'İ'.to_lowercase() {
1173 /// print!("{c}");
1174 /// }
1175 /// println!();
1176 /// ```
1177 ///
1178 /// Using `println!` directly:
1179 ///
1180 /// ```
1181 /// println!("{}", 'İ'.to_lowercase());
1182 /// ```
1183 ///
1184 /// Both are equivalent to:
1185 ///
1186 /// ```
1187 /// println!("i\u{307}");
1188 /// ```
1189 ///
1190 /// Using [`to_string`](../std/string/trait.ToString.html#tymethod.to_string):
1191 ///
1192 /// ```
1193 /// assert_eq!('C'.to_lowercase().to_string(), "c");
1194 ///
1195 /// // Sometimes the result is more than one character:
1196 /// assert_eq!('İ'.to_lowercase().to_string(), "i\u{307}");
1197 ///
1198 /// // Characters that do not have both uppercase and lowercase
1199 /// // convert into themselves.
1200 /// assert_eq!('山'.to_lowercase().to_string(), "山");
1201 /// ```
1202 #[must_use = "this returns the lowercased character as a new iterator, \
1203 without modifying the original"]
1204 #[stable(feature = "rust1", since = "1.0.0")]
1205 #[inline]
1206 pub fn to_lowercase(self) -> ToLowercase {
1207 ToLowercase(CaseMappingIter::new(conversions::to_lower(self)))
1208 }
1209
1210 /// Returns an iterator that yields the titlecase mapping of this `char` as one or more
1211 /// `char`s.
1212 ///
1213 /// This is usually, but not always, equivalent to the uppercase mapping
1214 /// returned by [`Self::to_uppercase`]. Prefer this method when seeking to capitalize
1215 /// Only The First Letter of a word, but use [`Self::to_uppercase`] for ALL CAPS.
1216 ///
1217 /// If this `char` does not have a titlecase mapping, the iterator yields the same `char`.
1218 ///
1219 /// If this `char` has a one-to-one titlecase mapping given by the [Unicode Character
1220 /// Database][ucd] [`UnicodeData.txt`], the iterator yields that `char`.
1221 ///
1222 /// [ucd]: https://www.unicode.org/reports/tr44/
1223 /// [`UnicodeData.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/UnicodeData.txt
1224 ///
1225 /// If this `char` requires special considerations (e.g. multiple `char`s) the iterator yields
1226 /// the `char`(s) given by [`SpecialCasing.txt`].
1227 ///
1228 /// [`SpecialCasing.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/SpecialCasing.txt
1229 ///
1230 /// This operation performs an unconditional mapping without tailoring. That is, the conversion
1231 /// is independent of context and language.
1232 ///
1233 /// In the [Unicode Standard], Chapter 4 (Character Properties) discusses case mapping in
1234 /// general and Chapter 3 (Conformance) discusses the default algorithm for case conversion.
1235 ///
1236 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
1237 ///
1238 /// # Examples
1239 ///
1240 /// As an iterator:
1241 ///
1242 /// ```
1243 /// #![feature(titlecase)]
1244 /// for c in 'ß'.to_titlecase() {
1245 /// print!("{c}");
1246 /// }
1247 /// println!();
1248 /// ```
1249 ///
1250 /// Using `println!` directly:
1251 ///
1252 /// ```
1253 /// #![feature(titlecase)]
1254 /// println!("{}", 'ß'.to_titlecase());
1255 /// ```
1256 ///
1257 /// Both are equivalent to:
1258 ///
1259 /// ```
1260 /// println!("Ss");
1261 /// ```
1262 ///
1263 /// Using [`to_string`](../std/string/trait.ToString.html#tymethod.to_string):
1264 ///
1265 /// ```
1266 /// #![feature(titlecase)]
1267 /// assert_eq!('c'.to_titlecase().to_string(), "C");
1268 /// assert_eq!('dž'.to_titlecase().to_string(), "Dž");
1269 /// assert_eq!('ῼ'.to_titlecase().to_string(), "ῼ");
1270 ///
1271 /// // Sometimes the result is more than one character:
1272 /// assert_eq!('ß'.to_titlecase().to_string(), "Ss");
1273 ///
1274 /// // Characters that do not have separate cased forms
1275 /// // convert into themselves.
1276 /// assert_eq!('山'.to_titlecase().to_string(), "山");
1277 /// ```
1278 ///
1279 /// # Note on locale
1280 ///
1281 /// In Turkish and Azeri, the equivalent of 'i' in Latin has five forms instead of two:
1282 ///
1283 /// * 'Dotless': I / ı, sometimes written ï
1284 /// * 'Dotted': İ / i
1285 ///
1286 /// Note that the lowercase dotted 'i' is the same as the Latin. Therefore:
1287 ///
1288 /// ```
1289 /// #![feature(titlecase)]
1290 /// let upper_i = 'i'.to_titlecase().to_string();
1291 /// ```
1292 ///
1293 /// The value of `upper_i` here relies on the language of the text: if we're
1294 /// in `en-US`, it should be `"I"`, but if we're in `tr-TR` or `az-AZ`, it should
1295 /// be `"İ"`. `to_titlecase()` does not take this into account, and so:
1296 ///
1297 /// ```
1298 /// #![feature(titlecase)]
1299 /// let upper_i = 'i'.to_titlecase().to_string();
1300 ///
1301 /// assert_eq!(upper_i, "I");
1302 /// ```
1303 ///
1304 /// holds across languages.
1305 #[must_use = "this returns the titlecased character as a new iterator, \
1306 without modifying the original"]
1307 #[unstable(feature = "titlecase", issue = "153892")]
1308 #[inline]
1309 pub fn to_titlecase(self) -> ToTitlecase {
1310 ToTitlecase(CaseMappingIter::new(conversions::to_title(self)))
1311 }
1312
1313 /// Returns an iterator that yields the uppercase mapping of this `char` as one or more
1314 /// `char`s.
1315 ///
1316 /// Prefer this method when converting a word into ALL CAPS, but consider [`Self::to_titlecase`]
1317 /// instead if you seek to capitalize Only The First Letter.
1318 ///
1319 /// If this `char` does not have an uppercase mapping, the iterator yields the same `char`.
1320 ///
1321 /// If this `char` has a one-to-one uppercase mapping given by the [Unicode Character
1322 /// Database][ucd] [`UnicodeData.txt`], the iterator yields that `char`.
1323 ///
1324 /// [ucd]: https://www.unicode.org/reports/tr44/
1325 /// [`UnicodeData.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/UnicodeData.txt
1326 ///
1327 /// If this `char` requires special considerations (e.g. multiple `char`s) the iterator yields
1328 /// the `char`(s) given by [`SpecialCasing.txt`].
1329 ///
1330 /// [`SpecialCasing.txt`]: https://www.unicode.org/Public/UCD/latest/ucd/SpecialCasing.txt
1331 ///
1332 /// This operation performs an unconditional mapping without tailoring. That is, the conversion
1333 /// is independent of context and language.
1334 ///
1335 /// In the [Unicode Standard], Chapter 4 (Character Properties) discusses case mapping in
1336 /// general and Chapter 3 (Conformance) discusses the default algorithm for case conversion.
1337 ///
1338 /// [Unicode Standard]: https://www.unicode.org/versions/latest/
1339 ///
1340 /// # Examples
1341 /// `'ſt'` (U+FB05) is a single Unicode code point (a ligature) that maps to "ST" in uppercase.
1342 ///
1343 /// As an iterator:
1344 ///
1345 /// ```
1346 /// for c in 'ſt'.to_uppercase() {
1347 /// print!("{c}");
1348 /// }
1349 /// println!();
1350 /// ```
1351 ///
1352 /// Using `println!` directly:
1353 ///
1354 /// ```
1355 /// println!("{}", 'ſt'.to_uppercase());
1356 /// ```
1357 ///
1358 /// Both are equivalent to:
1359 ///
1360 /// ```
1361 /// println!("ST");
1362 /// ```
1363 ///
1364 /// Using [`to_string`](../std/string/trait.ToString.html#tymethod.to_string):
1365 ///
1366 /// ```
1367 /// assert_eq!('c'.to_uppercase().to_string(), "C");
1368 /// assert_eq!('dž'.to_uppercase().to_string(), "DŽ");
1369 ///
1370 /// // Sometimes the result is more than one character:
1371 /// assert_eq!('ſt'.to_uppercase().to_string(), "ST");
1372 /// assert_eq!('ῼ'.to_uppercase().to_string(), "ΩΙ");
1373 ///
1374 /// // Characters that do not have both uppercase and lowercase
1375 /// // convert into themselves.
1376 /// assert_eq!('山'.to_uppercase().to_string(), "山");
1377 /// ```
1378 ///
1379 /// # Note on locale
1380 ///
1381 /// In Turkish and Azeri, the equivalent of 'i' in Latin has five forms instead of two:
1382 ///
1383 /// * 'Dotless': I / ı, sometimes written ï
1384 /// * 'Dotted': İ / i
1385 ///
1386 /// Note that the lowercase dotted 'i' is the same as the Latin. Therefore:
1387 ///
1388 /// ```
1389 /// let upper_i = 'i'.to_uppercase().to_string();
1390 /// ```
1391 ///
1392 /// The value of `upper_i` here relies on the language of the text: if we're
1393 /// in `en-US`, it should be `"I"`, but if we're in `tr-TR` or `az-AZ`, it should
1394 /// be `"İ"`. `to_uppercase()` does not take this into account, and so:
1395 ///
1396 /// ```
1397 /// let upper_i = 'i'.to_uppercase().to_string();
1398 ///
1399 /// assert_eq!(upper_i, "I");
1400 /// ```
1401 ///
1402 /// holds across languages.
1403 #[must_use = "this returns the uppercased character as a new iterator, \
1404 without modifying the original"]
1405 #[stable(feature = "rust1", since = "1.0.0")]
1406 #[inline]
1407 pub fn to_uppercase(self) -> ToUppercase {
1408 ToUppercase(CaseMappingIter::new(conversions::to_upper(self)))
1409 }
1410
1411 /// Checks if the value is within the ASCII range.
1412 ///
1413 /// # Examples
1414 ///
1415 /// ```
1416 /// let ascii = 'a';
1417 /// let non_ascii = '❤';
1418 ///
1419 /// assert!(ascii.is_ascii());
1420 /// assert!(!non_ascii.is_ascii());
1421 /// ```
1422 #[must_use]
1423 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
1424 #[rustc_const_stable(feature = "const_char_is_ascii", since = "1.32.0")]
1425 #[rustc_diagnostic_item = "char_is_ascii"]
1426 #[inline]
1427 pub const fn is_ascii(&self) -> bool {
1428 *self as u32 <= 0x7F
1429 }
1430
1431 /// Returns `Some` if the value is within the ASCII range,
1432 /// or `None` if it's not.
1433 ///
1434 /// This is preferred to [`Self::is_ascii`] when you're passing the value
1435 /// along to something else that can take [`ascii::Char`] rather than
1436 /// needing to check again for itself whether the value is in ASCII.
1437 #[must_use]
1438 #[unstable(feature = "ascii_char", issue = "110998")]
1439 #[inline]
1440 pub const fn as_ascii(&self) -> Option<ascii::Char> {
1441 if self.is_ascii() {
1442 // SAFETY: Just checked that this is ASCII.
1443 Some(unsafe { ascii::Char::from_u8_unchecked(*self as u8) })
1444 } else {
1445 None
1446 }
1447 }
1448
1449 /// Converts this char into an [ASCII character](`ascii::Char`), without
1450 /// checking whether it is valid.
1451 ///
1452 /// # Safety
1453 ///
1454 /// This char must be within the ASCII range, or else this is UB.
1455 #[must_use]
1456 #[unstable(feature = "ascii_char", issue = "110998")]
1457 #[inline]
1458 pub const unsafe fn as_ascii_unchecked(&self) -> ascii::Char {
1459 assert_unsafe_precondition!(
1460 check_library_ub,
1461 "as_ascii_unchecked requires that the char is valid ASCII",
1462 (it: &char = self) => it.is_ascii()
1463 );
1464
1465 // SAFETY: the caller promised that this char is ASCII.
1466 unsafe { ascii::Char::from_u8_unchecked(*self as u8) }
1467 }
1468
1469 /// Makes a copy of the value in its ASCII upper case equivalent.
1470 ///
1471 /// ASCII letters 'a' to 'z' are mapped to 'A' to 'Z',
1472 /// but non-ASCII letters are unchanged.
1473 ///
1474 /// To uppercase the value in-place, use [`make_ascii_uppercase()`].
1475 ///
1476 /// To uppercase ASCII characters in addition to non-ASCII characters, use
1477 /// [`to_uppercase()`].
1478 ///
1479 /// # Examples
1480 ///
1481 /// ```
1482 /// let ascii = 'a';
1483 /// let non_ascii = '❤';
1484 ///
1485 /// assert_eq!('A', ascii.to_ascii_uppercase());
1486 /// assert_eq!('❤', non_ascii.to_ascii_uppercase());
1487 /// ```
1488 ///
1489 /// [`make_ascii_uppercase()`]: #method.make_ascii_uppercase
1490 /// [`to_uppercase()`]: #method.to_uppercase
1491 #[must_use = "to uppercase the value in-place, use `make_ascii_uppercase()`"]
1492 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
1493 #[rustc_const_stable(feature = "const_ascii_methods_on_intrinsics", since = "1.52.0")]
1494 #[inline]
1495 pub const fn to_ascii_uppercase(&self) -> char {
1496 if self.is_ascii_lowercase() {
1497 (*self as u8).ascii_change_case_unchecked() as char
1498 } else {
1499 *self
1500 }
1501 }
1502
1503 /// Makes a copy of the value in its ASCII lower case equivalent.
1504 ///
1505 /// ASCII letters 'A' to 'Z' are mapped to 'a' to 'z',
1506 /// but non-ASCII letters are unchanged.
1507 ///
1508 /// To lowercase the value in-place, use [`make_ascii_lowercase()`].
1509 ///
1510 /// To lowercase ASCII characters in addition to non-ASCII characters, use
1511 /// [`to_lowercase()`].
1512 ///
1513 /// # Examples
1514 ///
1515 /// ```
1516 /// let ascii = 'A';
1517 /// let non_ascii = '❤';
1518 ///
1519 /// assert_eq!('a', ascii.to_ascii_lowercase());
1520 /// assert_eq!('❤', non_ascii.to_ascii_lowercase());
1521 /// ```
1522 ///
1523 /// [`make_ascii_lowercase()`]: #method.make_ascii_lowercase
1524 /// [`to_lowercase()`]: #method.to_lowercase
1525 #[must_use = "to lowercase the value in-place, use `make_ascii_lowercase()`"]
1526 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
1527 #[rustc_const_stable(feature = "const_ascii_methods_on_intrinsics", since = "1.52.0")]
1528 #[inline]
1529 pub const fn to_ascii_lowercase(&self) -> char {
1530 if self.is_ascii_uppercase() {
1531 (*self as u8).ascii_change_case_unchecked() as char
1532 } else {
1533 *self
1534 }
1535 }
1536
1537 /// Checks that two values are an ASCII case-insensitive match.
1538 ///
1539 /// Equivalent to <code>[to_ascii_lowercase]\(a) == [to_ascii_lowercase]\(b)</code>.
1540 ///
1541 /// # Examples
1542 ///
1543 /// ```
1544 /// let upper_a = 'A';
1545 /// let lower_a = 'a';
1546 /// let lower_z = 'z';
1547 ///
1548 /// assert!(upper_a.eq_ignore_ascii_case(&lower_a));
1549 /// assert!(upper_a.eq_ignore_ascii_case(&upper_a));
1550 /// assert!(!upper_a.eq_ignore_ascii_case(&lower_z));
1551 /// ```
1552 ///
1553 /// [to_ascii_lowercase]: #method.to_ascii_lowercase
1554 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
1555 #[rustc_const_stable(feature = "const_ascii_methods_on_intrinsics", since = "1.52.0")]
1556 #[inline]
1557 pub const fn eq_ignore_ascii_case(&self, other: &char) -> bool {
1558 self.to_ascii_lowercase() == other.to_ascii_lowercase()
1559 }
1560
1561 /// Converts this type to its ASCII upper case equivalent in-place.
1562 ///
1563 /// ASCII letters 'a' to 'z' are mapped to 'A' to 'Z',
1564 /// but non-ASCII letters are unchanged.
1565 ///
1566 /// To return a new uppercased value without modifying the existing one, use
1567 /// [`to_ascii_uppercase()`].
1568 ///
1569 /// # Examples
1570 ///
1571 /// ```
1572 /// let mut ascii = 'a';
1573 ///
1574 /// ascii.make_ascii_uppercase();
1575 ///
1576 /// assert_eq!('A', ascii);
1577 /// ```
1578 ///
1579 /// [`to_ascii_uppercase()`]: #method.to_ascii_uppercase
1580 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
1581 #[rustc_const_stable(feature = "const_make_ascii", since = "1.84.0")]
1582 #[inline]
1583 pub const fn make_ascii_uppercase(&mut self) {
1584 *self = self.to_ascii_uppercase();
1585 }
1586
1587 /// Converts this type to its ASCII lower case equivalent in-place.
1588 ///
1589 /// ASCII letters 'A' to 'Z' are mapped to 'a' to 'z',
1590 /// but non-ASCII letters are unchanged.
1591 ///
1592 /// To return a new lowercased value without modifying the existing one, use
1593 /// [`to_ascii_lowercase()`].
1594 ///
1595 /// # Examples
1596 ///
1597 /// ```
1598 /// let mut ascii = 'A';
1599 ///
1600 /// ascii.make_ascii_lowercase();
1601 ///
1602 /// assert_eq!('a', ascii);
1603 /// ```
1604 ///
1605 /// [`to_ascii_lowercase()`]: #method.to_ascii_lowercase
1606 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
1607 #[rustc_const_stable(feature = "const_make_ascii", since = "1.84.0")]
1608 #[inline]
1609 pub const fn make_ascii_lowercase(&mut self) {
1610 *self = self.to_ascii_lowercase();
1611 }
1612
1613 /// Checks if the value is an ASCII alphabetic character:
1614 ///
1615 /// - U+0041 'A' ..= U+005A 'Z', or
1616 /// - U+0061 'a' ..= U+007A 'z'.
1617 ///
1618 /// # Examples
1619 ///
1620 /// ```
1621 /// let uppercase_a = 'A';
1622 /// let uppercase_g = 'G';
1623 /// let a = 'a';
1624 /// let g = 'g';
1625 /// let zero = '0';
1626 /// let percent = '%';
1627 /// let space = ' ';
1628 /// let lf = '\n';
1629 /// let esc = '\x1b';
1630 ///
1631 /// assert!(uppercase_a.is_ascii_alphabetic());
1632 /// assert!(uppercase_g.is_ascii_alphabetic());
1633 /// assert!(a.is_ascii_alphabetic());
1634 /// assert!(g.is_ascii_alphabetic());
1635 /// assert!(!zero.is_ascii_alphabetic());
1636 /// assert!(!percent.is_ascii_alphabetic());
1637 /// assert!(!space.is_ascii_alphabetic());
1638 /// assert!(!lf.is_ascii_alphabetic());
1639 /// assert!(!esc.is_ascii_alphabetic());
1640 /// ```
1641 #[must_use]
1642 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1643 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1644 #[inline]
1645 pub const fn is_ascii_alphabetic(&self) -> bool {
1646 matches!(*self, 'a'..='z' | 'A'..='Z')
1647 }
1648
1649 /// Checks if the value is an ASCII uppercase character:
1650 /// U+0041 'A' ..= U+005A 'Z'.
1651 ///
1652 /// # Examples
1653 ///
1654 /// ```
1655 /// let uppercase_a = 'A';
1656 /// let uppercase_g = 'G';
1657 /// let a = 'a';
1658 /// let g = 'g';
1659 /// let zero = '0';
1660 /// let percent = '%';
1661 /// let space = ' ';
1662 /// let lf = '\n';
1663 /// let esc = '\x1b';
1664 ///
1665 /// assert!(uppercase_a.is_ascii_uppercase());
1666 /// assert!(uppercase_g.is_ascii_uppercase());
1667 /// assert!(!a.is_ascii_uppercase());
1668 /// assert!(!g.is_ascii_uppercase());
1669 /// assert!(!zero.is_ascii_uppercase());
1670 /// assert!(!percent.is_ascii_uppercase());
1671 /// assert!(!space.is_ascii_uppercase());
1672 /// assert!(!lf.is_ascii_uppercase());
1673 /// assert!(!esc.is_ascii_uppercase());
1674 /// ```
1675 #[must_use]
1676 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1677 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1678 #[inline]
1679 pub const fn is_ascii_uppercase(&self) -> bool {
1680 matches!(*self, 'A'..='Z')
1681 }
1682
1683 /// Checks if the value is an ASCII lowercase character:
1684 /// U+0061 'a' ..= U+007A 'z'.
1685 ///
1686 /// # Examples
1687 ///
1688 /// ```
1689 /// let uppercase_a = 'A';
1690 /// let uppercase_g = 'G';
1691 /// let a = 'a';
1692 /// let g = 'g';
1693 /// let zero = '0';
1694 /// let percent = '%';
1695 /// let space = ' ';
1696 /// let lf = '\n';
1697 /// let esc = '\x1b';
1698 ///
1699 /// assert!(!uppercase_a.is_ascii_lowercase());
1700 /// assert!(!uppercase_g.is_ascii_lowercase());
1701 /// assert!(a.is_ascii_lowercase());
1702 /// assert!(g.is_ascii_lowercase());
1703 /// assert!(!zero.is_ascii_lowercase());
1704 /// assert!(!percent.is_ascii_lowercase());
1705 /// assert!(!space.is_ascii_lowercase());
1706 /// assert!(!lf.is_ascii_lowercase());
1707 /// assert!(!esc.is_ascii_lowercase());
1708 /// ```
1709 #[must_use]
1710 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1711 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1712 #[inline]
1713 pub const fn is_ascii_lowercase(&self) -> bool {
1714 matches!(*self, 'a'..='z')
1715 }
1716
1717 /// Checks if the value is an ASCII alphanumeric character:
1718 ///
1719 /// - U+0041 'A' ..= U+005A 'Z', or
1720 /// - U+0061 'a' ..= U+007A 'z', or
1721 /// - U+0030 '0' ..= U+0039 '9'.
1722 ///
1723 /// # Examples
1724 ///
1725 /// ```
1726 /// let uppercase_a = 'A';
1727 /// let uppercase_g = 'G';
1728 /// let a = 'a';
1729 /// let g = 'g';
1730 /// let zero = '0';
1731 /// let percent = '%';
1732 /// let space = ' ';
1733 /// let lf = '\n';
1734 /// let esc = '\x1b';
1735 ///
1736 /// assert!(uppercase_a.is_ascii_alphanumeric());
1737 /// assert!(uppercase_g.is_ascii_alphanumeric());
1738 /// assert!(a.is_ascii_alphanumeric());
1739 /// assert!(g.is_ascii_alphanumeric());
1740 /// assert!(zero.is_ascii_alphanumeric());
1741 /// assert!(!percent.is_ascii_alphanumeric());
1742 /// assert!(!space.is_ascii_alphanumeric());
1743 /// assert!(!lf.is_ascii_alphanumeric());
1744 /// assert!(!esc.is_ascii_alphanumeric());
1745 /// ```
1746 #[must_use]
1747 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1748 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1749 #[inline]
1750 pub const fn is_ascii_alphanumeric(&self) -> bool {
1751 matches!(*self, '0'..='9') | matches!(*self, 'A'..='Z') | matches!(*self, 'a'..='z')
1752 }
1753
1754 /// Checks if the value is an ASCII decimal digit:
1755 /// U+0030 '0' ..= U+0039 '9'.
1756 ///
1757 /// # Examples
1758 ///
1759 /// ```
1760 /// let uppercase_a = 'A';
1761 /// let uppercase_g = 'G';
1762 /// let a = 'a';
1763 /// let g = 'g';
1764 /// let zero = '0';
1765 /// let percent = '%';
1766 /// let space = ' ';
1767 /// let lf = '\n';
1768 /// let esc = '\x1b';
1769 ///
1770 /// assert!(!uppercase_a.is_ascii_digit());
1771 /// assert!(!uppercase_g.is_ascii_digit());
1772 /// assert!(!a.is_ascii_digit());
1773 /// assert!(!g.is_ascii_digit());
1774 /// assert!(zero.is_ascii_digit());
1775 /// assert!(!percent.is_ascii_digit());
1776 /// assert!(!space.is_ascii_digit());
1777 /// assert!(!lf.is_ascii_digit());
1778 /// assert!(!esc.is_ascii_digit());
1779 /// ```
1780 #[must_use]
1781 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1782 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1783 #[inline]
1784 pub const fn is_ascii_digit(&self) -> bool {
1785 matches!(*self, '0'..='9')
1786 }
1787
1788 /// Checks if the value is an ASCII octal digit:
1789 /// U+0030 '0' ..= U+0037 '7'.
1790 ///
1791 /// # Examples
1792 ///
1793 /// ```
1794 /// #![feature(is_ascii_octdigit)]
1795 ///
1796 /// let uppercase_a = 'A';
1797 /// let a = 'a';
1798 /// let zero = '0';
1799 /// let seven = '7';
1800 /// let nine = '9';
1801 /// let percent = '%';
1802 /// let lf = '\n';
1803 ///
1804 /// assert!(!uppercase_a.is_ascii_octdigit());
1805 /// assert!(!a.is_ascii_octdigit());
1806 /// assert!(zero.is_ascii_octdigit());
1807 /// assert!(seven.is_ascii_octdigit());
1808 /// assert!(!nine.is_ascii_octdigit());
1809 /// assert!(!percent.is_ascii_octdigit());
1810 /// assert!(!lf.is_ascii_octdigit());
1811 /// ```
1812 #[must_use]
1813 #[unstable(feature = "is_ascii_octdigit", issue = "101288")]
1814 #[inline]
1815 pub const fn is_ascii_octdigit(&self) -> bool {
1816 matches!(*self, '0'..='7')
1817 }
1818
1819 /// Checks if the value is an ASCII hexadecimal digit:
1820 ///
1821 /// - U+0030 '0' ..= U+0039 '9', or
1822 /// - U+0041 'A' ..= U+0046 'F', or
1823 /// - U+0061 'a' ..= U+0066 'f'.
1824 ///
1825 /// # Examples
1826 ///
1827 /// ```
1828 /// let uppercase_a = 'A';
1829 /// let uppercase_g = 'G';
1830 /// let a = 'a';
1831 /// let g = 'g';
1832 /// let zero = '0';
1833 /// let percent = '%';
1834 /// let space = ' ';
1835 /// let lf = '\n';
1836 /// let esc = '\x1b';
1837 ///
1838 /// assert!(uppercase_a.is_ascii_hexdigit());
1839 /// assert!(!uppercase_g.is_ascii_hexdigit());
1840 /// assert!(a.is_ascii_hexdigit());
1841 /// assert!(!g.is_ascii_hexdigit());
1842 /// assert!(zero.is_ascii_hexdigit());
1843 /// assert!(!percent.is_ascii_hexdigit());
1844 /// assert!(!space.is_ascii_hexdigit());
1845 /// assert!(!lf.is_ascii_hexdigit());
1846 /// assert!(!esc.is_ascii_hexdigit());
1847 /// ```
1848 #[must_use]
1849 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1850 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1851 #[inline]
1852 pub const fn is_ascii_hexdigit(&self) -> bool {
1853 matches!(*self, '0'..='9') | matches!(*self, 'A'..='F') | matches!(*self, 'a'..='f')
1854 }
1855
1856 /// Checks if the value is an ASCII punctuation character:
1857 ///
1858 /// - U+0021 ..= U+002F `! " # $ % & ' ( ) * + , - . /`, or
1859 /// - U+003A ..= U+0040 `: ; < = > ? @`, or
1860 /// - U+005B ..= U+0060 ``[ \ ] ^ _ ` ``, or
1861 /// - U+007B ..= U+007E `{ | } ~`
1862 ///
1863 /// # Examples
1864 ///
1865 /// ```
1866 /// let uppercase_a = 'A';
1867 /// let uppercase_g = 'G';
1868 /// let a = 'a';
1869 /// let g = 'g';
1870 /// let zero = '0';
1871 /// let percent = '%';
1872 /// let space = ' ';
1873 /// let lf = '\n';
1874 /// let esc = '\x1b';
1875 ///
1876 /// assert!(!uppercase_a.is_ascii_punctuation());
1877 /// assert!(!uppercase_g.is_ascii_punctuation());
1878 /// assert!(!a.is_ascii_punctuation());
1879 /// assert!(!g.is_ascii_punctuation());
1880 /// assert!(!zero.is_ascii_punctuation());
1881 /// assert!(percent.is_ascii_punctuation());
1882 /// assert!(!space.is_ascii_punctuation());
1883 /// assert!(!lf.is_ascii_punctuation());
1884 /// assert!(!esc.is_ascii_punctuation());
1885 /// ```
1886 #[must_use]
1887 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1888 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1889 #[inline]
1890 pub const fn is_ascii_punctuation(&self) -> bool {
1891 matches!(*self, '!'..='/')
1892 | matches!(*self, ':'..='@')
1893 | matches!(*self, '['..='`')
1894 | matches!(*self, '{'..='~')
1895 }
1896
1897 /// Checks if the value is an ASCII graphic character:
1898 /// U+0021 '!' ..= U+007E '~'.
1899 ///
1900 /// # Examples
1901 ///
1902 /// ```
1903 /// let uppercase_a = 'A';
1904 /// let uppercase_g = 'G';
1905 /// let a = 'a';
1906 /// let g = 'g';
1907 /// let zero = '0';
1908 /// let percent = '%';
1909 /// let space = ' ';
1910 /// let lf = '\n';
1911 /// let esc = '\x1b';
1912 ///
1913 /// assert!(uppercase_a.is_ascii_graphic());
1914 /// assert!(uppercase_g.is_ascii_graphic());
1915 /// assert!(a.is_ascii_graphic());
1916 /// assert!(g.is_ascii_graphic());
1917 /// assert!(zero.is_ascii_graphic());
1918 /// assert!(percent.is_ascii_graphic());
1919 /// assert!(!space.is_ascii_graphic());
1920 /// assert!(!lf.is_ascii_graphic());
1921 /// assert!(!esc.is_ascii_graphic());
1922 /// ```
1923 #[must_use]
1924 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1925 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1926 #[inline]
1927 pub const fn is_ascii_graphic(&self) -> bool {
1928 matches!(*self, '!'..='~')
1929 }
1930
1931 /// Checks if the value is an ASCII whitespace character:
1932 /// U+0020 SPACE, U+0009 HORIZONTAL TAB, U+000A LINE FEED,
1933 /// U+000C FORM FEED, or U+000D CARRIAGE RETURN.
1934 ///
1935 /// Rust uses the WhatWG Infra Standard's [definition of ASCII
1936 /// whitespace][infra-aw]. There are several other definitions in
1937 /// wide use. For instance, [the POSIX locale][pct] includes
1938 /// U+000B VERTICAL TAB as well as all the above characters,
1939 /// but—from the very same specification—[the default rule for
1940 /// "field splitting" in the Bourne shell][bfs] considers *only*
1941 /// SPACE, HORIZONTAL TAB, and LINE FEED as whitespace.
1942 ///
1943 /// If you are writing a program that will process an existing
1944 /// file format, check what that format's definition of whitespace is
1945 /// before using this function.
1946 ///
1947 /// [infra-aw]: https://infra.spec.whatwg.org/#ascii-whitespace
1948 /// [pct]: https://pubs.opengroup.org/onlinepubs/9699919799/basedefs/V1_chap07.html#tag_07_03_01
1949 /// [bfs]: https://pubs.opengroup.org/onlinepubs/9699919799/utilities/V3_chap02.html#tag_18_06_05
1950 ///
1951 /// # Examples
1952 ///
1953 /// ```
1954 /// let uppercase_a = 'A';
1955 /// let uppercase_g = 'G';
1956 /// let a = 'a';
1957 /// let g = 'g';
1958 /// let zero = '0';
1959 /// let percent = '%';
1960 /// let space = ' ';
1961 /// let lf = '\n';
1962 /// let esc = '\x1b';
1963 ///
1964 /// assert!(!uppercase_a.is_ascii_whitespace());
1965 /// assert!(!uppercase_g.is_ascii_whitespace());
1966 /// assert!(!a.is_ascii_whitespace());
1967 /// assert!(!g.is_ascii_whitespace());
1968 /// assert!(!zero.is_ascii_whitespace());
1969 /// assert!(!percent.is_ascii_whitespace());
1970 /// assert!(space.is_ascii_whitespace());
1971 /// assert!(lf.is_ascii_whitespace());
1972 /// assert!(!esc.is_ascii_whitespace());
1973 /// ```
1974 #[must_use]
1975 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1976 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1977 #[inline]
1978 pub const fn is_ascii_whitespace(&self) -> bool {
1979 matches!(*self, '\t' | '\n' | '\x0C' | '\r' | ' ')
1980 }
1981
1982 /// Checks if the value is an ASCII control character:
1983 /// U+0000 NUL ..= U+001F UNIT SEPARATOR, or U+007F DELETE.
1984 /// Note that most ASCII whitespace characters are control
1985 /// characters, but SPACE is not.
1986 ///
1987 /// # Examples
1988 ///
1989 /// ```
1990 /// let uppercase_a = 'A';
1991 /// let uppercase_g = 'G';
1992 /// let a = 'a';
1993 /// let g = 'g';
1994 /// let zero = '0';
1995 /// let percent = '%';
1996 /// let space = ' ';
1997 /// let lf = '\n';
1998 /// let esc = '\x1b';
1999 ///
2000 /// assert!(!uppercase_a.is_ascii_control());
2001 /// assert!(!uppercase_g.is_ascii_control());
2002 /// assert!(!a.is_ascii_control());
2003 /// assert!(!g.is_ascii_control());
2004 /// assert!(!zero.is_ascii_control());
2005 /// assert!(!percent.is_ascii_control());
2006 /// assert!(!space.is_ascii_control());
2007 /// assert!(lf.is_ascii_control());
2008 /// assert!(esc.is_ascii_control());
2009 /// ```
2010 #[must_use]
2011 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
2012 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
2013 #[inline]
2014 pub const fn is_ascii_control(&self) -> bool {
2015 matches!(*self, '\0'..='\x1F' | '\x7F')
2016 }
2017}
2018
2019pub(crate) struct EscapeDebugExtArgs {
2020 /// Escape Extended Grapheme codepoints?
2021 pub(crate) escape_grapheme_extended: bool,
2022
2023 /// Escape single quotes?
2024 pub(crate) escape_single_quote: bool,
2025
2026 /// Escape double quotes?
2027 pub(crate) escape_double_quote: bool,
2028}
2029
2030impl EscapeDebugExtArgs {
2031 pub(crate) const ESCAPE_ALL: Self = Self {
2032 escape_grapheme_extended: true,
2033 escape_single_quote: true,
2034 escape_double_quote: true,
2035 };
2036}
2037
2038#[inline]
2039#[must_use]
2040const fn len_utf8(code: u32) -> usize {
2041 match code {
2042 ..MAX_ONE_B => 1,
2043 ..MAX_TWO_B => 2,
2044 ..MAX_THREE_B => 3,
2045 _ => 4,
2046 }
2047}
2048
2049#[inline]
2050#[must_use]
2051const fn len_utf16(code: u32) -> usize {
2052 if (code & 0xFFFF) == code { 1 } else { 2 }
2053}
2054
2055/// Encodes a raw `u32` value as UTF-8 into the provided byte buffer,
2056/// and then returns the subslice of the buffer that contains the encoded character.
2057///
2058/// Unlike `char::encode_utf8`, this method also handles codepoints in the surrogate range.
2059/// (Creating a `char` in the surrogate range is UB.)
2060/// The result is valid [generalized UTF-8] but not valid UTF-8.
2061///
2062/// [generalized UTF-8]: https://simonsapin.github.io/wtf-8/#generalized-utf8
2063///
2064/// # Panics
2065///
2066/// Panics if the buffer is not large enough.
2067/// A buffer of length four is large enough to encode any `char`.
2068#[unstable(feature = "char_internals", reason = "exposed only for libstd", issue = "none")]
2069#[doc(hidden)]
2070#[inline]
2071pub const fn encode_utf8_raw(code: u32, dst: &mut [u8]) -> &mut [u8] {
2072 let len = len_utf8(code);
2073 if dst.len() < len {
2074 const_panic!(
2075 "encode_utf8: buffer does not have enough bytes to encode code point",
2076 "encode_utf8: need {len} bytes to encode U+{code:04X} but buffer has just {dst_len}",
2077 code: u32 = code,
2078 len: usize = len,
2079 dst_len: usize = dst.len(),
2080 );
2081 }
2082
2083 // SAFETY: `dst` is checked to be at least the length needed to encode the codepoint.
2084 unsafe { encode_utf8_raw_unchecked(code, dst.as_mut_ptr()) };
2085
2086 // SAFETY: `<&mut [u8]>::as_mut_ptr` is guaranteed to return a valid pointer and `len` has been tested to be within bounds.
2087 unsafe { slice::from_raw_parts_mut(dst.as_mut_ptr(), len) }
2088}
2089
2090/// Encodes a raw `u32` value as UTF-8 into the byte buffer pointed to by `dst`.
2091///
2092/// Unlike `char::encode_utf8`, this method also handles codepoints in the surrogate range.
2093/// (Creating a `char` in the surrogate range is UB.)
2094/// The result is valid [generalized UTF-8] but not valid UTF-8.
2095///
2096/// [generalized UTF-8]: https://simonsapin.github.io/wtf-8/#generalized-utf8
2097///
2098/// # Safety
2099///
2100/// The behavior is undefined if the buffer pointed to by `dst` is not
2101/// large enough to hold the encoded codepoint. A buffer of length four
2102/// is large enough to encode any `char`.
2103///
2104/// For a safe version of this function, see the [`encode_utf8_raw`] function.
2105#[unstable(feature = "char_internals", reason = "exposed only for libstd", issue = "none")]
2106#[doc(hidden)]
2107#[inline]
2108pub const unsafe fn encode_utf8_raw_unchecked(code: u32, dst: *mut u8) {
2109 let len = len_utf8(code);
2110 // SAFETY: The caller must guarantee that the buffer pointed to by `dst`
2111 // is at least `len` bytes long.
2112 unsafe {
2113 if len == 1 {
2114 *dst = code as u8;
2115 return;
2116 }
2117
2118 let last1 = (code >> 0 & 0x3F) as u8 | TAG_CONT;
2119 let last2 = (code >> 6 & 0x3F) as u8 | TAG_CONT;
2120 let last3 = (code >> 12 & 0x3F) as u8 | TAG_CONT;
2121 let last4 = (code >> 18 & 0x3F) as u8 | TAG_FOUR_B;
2122
2123 if len == 2 {
2124 *dst = last2 | TAG_TWO_B;
2125 *dst.add(1) = last1;
2126 return;
2127 }
2128
2129 if len == 3 {
2130 *dst = last3 | TAG_THREE_B;
2131 *dst.add(1) = last2;
2132 *dst.add(2) = last1;
2133 return;
2134 }
2135
2136 *dst = last4;
2137 *dst.add(1) = last3;
2138 *dst.add(2) = last2;
2139 *dst.add(3) = last1;
2140 }
2141}
2142
2143/// Encodes a raw `u32` value as native endian UTF-16 into the provided `u16` buffer,
2144/// and then returns the subslice of the buffer that contains the encoded character.
2145///
2146/// Unlike `char::encode_utf16`, this method also handles codepoints in the surrogate range.
2147/// (Creating a `char` in the surrogate range is UB.)
2148///
2149/// # Panics
2150///
2151/// Panics if the buffer is not large enough.
2152/// A buffer of length 2 is large enough to encode any `char`.
2153#[unstable(feature = "char_internals", reason = "exposed only for libstd", issue = "none")]
2154#[doc(hidden)]
2155#[inline]
2156pub const fn encode_utf16_raw(mut code: u32, dst: &mut [u16]) -> &mut [u16] {
2157 let len = len_utf16(code);
2158 match (len, &mut *dst) {
2159 (1, [a, ..]) => {
2160 *a = code as u16;
2161 }
2162 (2, [a, b, ..]) => {
2163 code -= 0x1_0000;
2164 *a = (code >> 10) as u16 | 0xD800;
2165 *b = (code & 0x3FF) as u16 | 0xDC00;
2166 }
2167 _ => {
2168 const_panic!(
2169 "encode_utf16: buffer does not have enough bytes to encode code point",
2170 "encode_utf16: need {len} bytes to encode U+{code:04X} but buffer has just {dst_len}",
2171 code: u32 = code,
2172 len: usize = len,
2173 dst_len: usize = dst.len(),
2174 )
2175 }
2176 };
2177 // SAFETY: `<&mut [u16]>::as_mut_ptr` is guaranteed to return a valid pointer and `len` has been tested to be within bounds.
2178 unsafe { slice::from_raw_parts_mut(dst.as_mut_ptr(), len) }
2179}