core/num/mod.rs
1//! Numeric traits and functions for the built-in numeric types.
2
3#![stable(feature = "rust1", since = "1.0.0")]
4
5use crate::panic::const_panic;
6use crate::str::FromStr;
7use crate::ub_checks::assert_unsafe_precondition;
8use crate::{ascii, intrinsics, mem};
9
10// FIXME(const-hack): Used because the `?` operator is not allowed in a const context.
11macro_rules! try_opt {
12 ($e:expr) => {
13 match $e {
14 Some(x) => x,
15 None => return None,
16 }
17 };
18}
19
20// Use this when the generated code should differ between signed and unsigned types.
21macro_rules! sign_dependent_expr {
22 (signed ? if signed { $signed_case:expr } if unsigned { $unsigned_case:expr } ) => {
23 $signed_case
24 };
25 (unsigned ? if signed { $signed_case:expr } if unsigned { $unsigned_case:expr } ) => {
26 $unsigned_case
27 };
28}
29
30// These modules are public only for testing.
31#[doc(hidden)]
32#[unstable(
33 feature = "num_internals",
34 reason = "internal routines only exposed for testing",
35 issue = "none"
36)]
37pub mod imp;
38
39#[macro_use]
40mod int_macros; // import int_impl!
41#[macro_use]
42mod uint_macros; // import uint_impl!
43
44mod error;
45#[cfg(not(no_fp_fmt_parse))]
46mod float_parse;
47mod nonzero;
48mod saturating;
49mod traits;
50mod wrapping;
51
52/// 100% perma-unstable
53#[doc(hidden)]
54pub mod niche_types;
55
56#[stable(feature = "int_error_matching", since = "1.55.0")]
57pub use error::IntErrorKind;
58#[stable(feature = "rust1", since = "1.0.0")]
59pub use error::ParseIntError;
60#[stable(feature = "try_from", since = "1.34.0")]
61pub use error::TryFromIntError;
62#[stable(feature = "rust1", since = "1.0.0")]
63#[cfg(not(no_fp_fmt_parse))]
64pub use float_parse::ParseFloatError;
65#[stable(feature = "generic_nonzero", since = "1.79.0")]
66pub use nonzero::NonZero;
67#[unstable(
68 feature = "nonzero_internals",
69 reason = "implementation detail which may disappear or be replaced at any time",
70 issue = "none"
71)]
72pub use nonzero::ZeroablePrimitive;
73#[stable(feature = "signed_nonzero", since = "1.34.0")]
74pub use nonzero::{NonZeroI8, NonZeroI16, NonZeroI32, NonZeroI64, NonZeroI128, NonZeroIsize};
75#[stable(feature = "nonzero", since = "1.28.0")]
76pub use nonzero::{NonZeroU8, NonZeroU16, NonZeroU32, NonZeroU64, NonZeroU128, NonZeroUsize};
77#[stable(feature = "saturating_int_impl", since = "1.74.0")]
78pub use saturating::Saturating;
79#[stable(feature = "rust1", since = "1.0.0")]
80pub use wrapping::Wrapping;
81
82macro_rules! u8_xe_bytes_doc {
83 () => {
84 "
85
86**Note**: This function is meaningless on `u8`. Byte order does not exist as a
87concept for byte-sized integers. This function is only provided in symmetry
88with larger integer types.
89
90"
91 };
92}
93
94macro_rules! i8_xe_bytes_doc {
95 () => {
96 "
97
98**Note**: This function is meaningless on `i8`. Byte order does not exist as a
99concept for byte-sized integers. This function is only provided in symmetry
100with larger integer types. You can cast from and to `u8` using
101[`cast_signed`](u8::cast_signed) and [`cast_unsigned`](Self::cast_unsigned).
102
103"
104 };
105}
106
107macro_rules! usize_isize_to_xe_bytes_doc {
108 () => {
109 "
110
111**Note**: This function returns an array of length 2, 4 or 8 bytes
112depending on the target pointer size.
113
114"
115 };
116}
117
118macro_rules! usize_isize_from_xe_bytes_doc {
119 () => {
120 "
121
122**Note**: This function takes an array of length 2, 4 or 8 bytes
123depending on the target pointer size.
124
125"
126 };
127}
128
129macro_rules! midpoint_impl {
130 ($SelfT:ty, unsigned) => {
131 /// Calculates the midpoint (average) between `self` and `rhs`.
132 ///
133 /// `midpoint(a, b)` is `(a + b) / 2` as if it were performed in a
134 /// sufficiently-large unsigned integral type. This implies that the result is
135 /// always rounded towards zero and that no overflow will ever occur.
136 ///
137 /// # Examples
138 ///
139 /// ```
140 #[doc = concat!("assert_eq!(0", stringify!($SelfT), ".midpoint(4), 2);")]
141 #[doc = concat!("assert_eq!(1", stringify!($SelfT), ".midpoint(4), 2);")]
142 /// ```
143 #[stable(feature = "num_midpoint", since = "1.85.0")]
144 #[rustc_const_stable(feature = "num_midpoint", since = "1.85.0")]
145 #[must_use = "this returns the result of the operation, \
146 without modifying the original"]
147 #[doc(alias = "average_floor")]
148 #[doc(alias = "average")]
149 #[inline]
150 pub const fn midpoint(self, rhs: $SelfT) -> $SelfT {
151 // Use the well known branchless algorithm from Hacker's Delight to compute
152 // `(a + b) / 2` without overflowing: `((a ^ b) >> 1) + (a & b)`.
153 ((self ^ rhs) >> 1) + (self & rhs)
154 }
155 };
156 ($SelfT:ty, signed) => {
157 /// Calculates the midpoint (average) between `self` and `rhs`.
158 ///
159 /// `midpoint(a, b)` is `(a + b) / 2` as if it were performed in a
160 /// sufficiently-large signed integral type. This implies that the result is
161 /// always rounded towards zero and that no overflow will ever occur.
162 ///
163 /// # Examples
164 ///
165 /// ```
166 #[doc = concat!("assert_eq!(0", stringify!($SelfT), ".midpoint(4), 2);")]
167 #[doc = concat!("assert_eq!((-1", stringify!($SelfT), ").midpoint(2), 0);")]
168 #[doc = concat!("assert_eq!((-7", stringify!($SelfT), ").midpoint(0), -3);")]
169 #[doc = concat!("assert_eq!(0", stringify!($SelfT), ".midpoint(-7), -3);")]
170 #[doc = concat!("assert_eq!(0", stringify!($SelfT), ".midpoint(7), 3);")]
171 /// ```
172 #[stable(feature = "num_midpoint_signed", since = "1.87.0")]
173 #[rustc_const_stable(feature = "num_midpoint_signed", since = "1.87.0")]
174 #[must_use = "this returns the result of the operation, \
175 without modifying the original"]
176 #[doc(alias = "average_floor")]
177 #[doc(alias = "average_ceil")]
178 #[doc(alias = "average")]
179 #[inline]
180 pub const fn midpoint(self, rhs: Self) -> Self {
181 // Use the well known branchless algorithm from Hacker's Delight to compute
182 // `(a + b) / 2` without overflowing: `((a ^ b) >> 1) + (a & b)`.
183 let t = ((self ^ rhs) >> 1) + (self & rhs);
184 // Except that it fails for integers whose sum is an odd negative number as
185 // their floor is one less than their average. So we adjust the result.
186 t + (if t < 0 { 1 } else { 0 } & (self ^ rhs))
187 }
188 };
189 ($SelfT:ty, $WideT:ty, unsigned) => {
190 /// Calculates the midpoint (average) between `self` and `rhs`.
191 ///
192 /// `midpoint(a, b)` is `(a + b) / 2` as if it were performed in a
193 /// sufficiently-large unsigned integral type. This implies that the result is
194 /// always rounded towards zero and that no overflow will ever occur.
195 ///
196 /// # Examples
197 ///
198 /// ```
199 #[doc = concat!("assert_eq!(0", stringify!($SelfT), ".midpoint(4), 2);")]
200 #[doc = concat!("assert_eq!(1", stringify!($SelfT), ".midpoint(4), 2);")]
201 /// ```
202 #[stable(feature = "num_midpoint", since = "1.85.0")]
203 #[rustc_const_stable(feature = "num_midpoint", since = "1.85.0")]
204 #[must_use = "this returns the result of the operation, \
205 without modifying the original"]
206 #[doc(alias = "average_floor")]
207 #[doc(alias = "average")]
208 #[inline]
209 pub const fn midpoint(self, rhs: $SelfT) -> $SelfT {
210 ((self as $WideT + rhs as $WideT) / 2) as $SelfT
211 }
212 };
213 ($SelfT:ty, $WideT:ty, signed) => {
214 /// Calculates the midpoint (average) between `self` and `rhs`.
215 ///
216 /// `midpoint(a, b)` is `(a + b) / 2` as if it were performed in a
217 /// sufficiently-large signed integral type. This implies that the result is
218 /// always rounded towards zero and that no overflow will ever occur.
219 ///
220 /// # Examples
221 ///
222 /// ```
223 #[doc = concat!("assert_eq!(0", stringify!($SelfT), ".midpoint(4), 2);")]
224 #[doc = concat!("assert_eq!((-1", stringify!($SelfT), ").midpoint(2), 0);")]
225 #[doc = concat!("assert_eq!((-7", stringify!($SelfT), ").midpoint(0), -3);")]
226 #[doc = concat!("assert_eq!(0", stringify!($SelfT), ".midpoint(-7), -3);")]
227 #[doc = concat!("assert_eq!(0", stringify!($SelfT), ".midpoint(7), 3);")]
228 /// ```
229 #[stable(feature = "num_midpoint_signed", since = "1.87.0")]
230 #[rustc_const_stable(feature = "num_midpoint_signed", since = "1.87.0")]
231 #[must_use = "this returns the result of the operation, \
232 without modifying the original"]
233 #[doc(alias = "average_floor")]
234 #[doc(alias = "average_ceil")]
235 #[doc(alias = "average")]
236 #[inline]
237 pub const fn midpoint(self, rhs: $SelfT) -> $SelfT {
238 ((self as $WideT + rhs as $WideT) / 2) as $SelfT
239 }
240 };
241}
242
243macro_rules! widening_carryless_mul_impl {
244 ($SelfT:ty, $WideT:ty) => {
245 /// Performs a widening carry-less multiplication.
246 ///
247 /// # Examples
248 ///
249 /// ```
250 /// #![feature(uint_carryless_mul)]
251 ///
252 #[doc = concat!("assert_eq!(", stringify!($SelfT), "::MAX.widening_carryless_mul(",
253 stringify!($SelfT), "::MAX), ", stringify!($WideT), "::MAX / 3);")]
254 /// ```
255 #[rustc_const_unstable(feature = "uint_carryless_mul", issue = "152080")]
256 #[doc(alias = "clmul")]
257 #[unstable(feature = "uint_carryless_mul", issue = "152080")]
258 #[must_use = "this returns the result of the operation, \
259 without modifying the original"]
260 #[inline]
261 pub const fn widening_carryless_mul(self, rhs: $SelfT) -> $WideT {
262 (self as $WideT).carryless_mul(rhs as $WideT)
263 }
264 }
265}
266
267macro_rules! carrying_carryless_mul_impl {
268 (u128, u256) => {
269 carrying_carryless_mul_impl! { @internal u128 =>
270 pub const fn carrying_carryless_mul(self, rhs: Self, carry: Self) -> (Self, Self) {
271 let x0 = self as u64;
272 let x1 = (self >> 64) as u64;
273 let y0 = rhs as u64;
274 let y1 = (rhs >> 64) as u64;
275
276 let z0 = u64::widening_carryless_mul(x0, y0);
277 let z2 = u64::widening_carryless_mul(x1, y1);
278
279 // The grade school algorithm would compute:
280 // z1 = x0y1 ^ x1y0
281
282 // Instead, Karatsuba first computes:
283 let z3 = u64::widening_carryless_mul(x0 ^ x1, y0 ^ y1);
284 // Since it distributes over XOR,
285 // z3 == x0y0 ^ x0y1 ^ x1y0 ^ x1y1
286 // |--| |---------| |--|
287 // == z0 ^ z1 ^ z2
288 // so we can compute z1 as
289 let z1 = z3 ^ z0 ^ z2;
290
291 let lo = z0 ^ (z1 << 64);
292 let hi = z2 ^ (z1 >> 64);
293
294 (lo ^ carry, hi)
295 }
296 }
297 };
298 ($SelfT:ty, $WideT:ty) => {
299 carrying_carryless_mul_impl! { @internal $SelfT =>
300 pub const fn carrying_carryless_mul(self, rhs: Self, carry: Self) -> (Self, Self) {
301 // Can't use widening_carryless_mul because it's not implemented for usize.
302 let p = (self as $WideT).carryless_mul(rhs as $WideT);
303
304 let lo = (p as $SelfT);
305 let hi = (p >> Self::BITS) as $SelfT;
306
307 (lo ^ carry, hi)
308 }
309 }
310 };
311 (@internal $SelfT:ty => $($fn:tt)*) => {
312 /// Calculates the "full carryless multiplication" without the possibility to overflow.
313 ///
314 /// This returns the low-order (wrapping) bits and the high-order (overflow) bits
315 /// of the result as two separate values, in that order.
316 ///
317 /// # Examples
318 ///
319 /// Please note that this example is shared among integer types, which is why `u8` is used.
320 ///
321 /// ```
322 /// #![feature(uint_carryless_mul)]
323 ///
324 /// assert_eq!(0b1000_0000u8.carrying_carryless_mul(0b1000_0000, 0b0000), (0, 0b0100_0000));
325 /// assert_eq!(0b1000_0000u8.carrying_carryless_mul(0b1000_0000, 0b1111), (0b1111, 0b0100_0000));
326 #[doc = concat!("assert_eq!(",
327 stringify!($SelfT), "::MAX.carrying_carryless_mul(", stringify!($SelfT), "::MAX, ", stringify!($SelfT), "::MAX), ",
328 "(!(", stringify!($SelfT), "::MAX / 3), ", stringify!($SelfT), "::MAX / 3));"
329 )]
330 /// ```
331 #[rustc_const_unstable(feature = "uint_carryless_mul", issue = "152080")]
332 #[doc(alias = "clmul")]
333 #[unstable(feature = "uint_carryless_mul", issue = "152080")]
334 #[must_use = "this returns the result of the operation, \
335 without modifying the original"]
336 #[inline]
337 $($fn)*
338 }
339}
340
341impl i8 {
342 int_impl! {
343 Self = i8,
344 ActualT = i8,
345 UnsignedT = u8,
346 BITS = 8,
347 BITS_MINUS_ONE = 7,
348 Min = -128,
349 Max = 127,
350 rot = 2,
351 rot_op = "-0x7e",
352 rot_result = "0xa",
353 swap_op = "0x12",
354 swapped = "0x12",
355 reversed = "0x48",
356 le_bytes = "[0x12]",
357 be_bytes = "[0x12]",
358 to_xe_bytes_doc = i8_xe_bytes_doc!(),
359 from_xe_bytes_doc = i8_xe_bytes_doc!(),
360 bound_condition = "",
361 }
362 midpoint_impl! { i8, i16, signed }
363}
364
365impl i16 {
366 int_impl! {
367 Self = i16,
368 ActualT = i16,
369 UnsignedT = u16,
370 BITS = 16,
371 BITS_MINUS_ONE = 15,
372 Min = -32768,
373 Max = 32767,
374 rot = 4,
375 rot_op = "-0x5ffd",
376 rot_result = "0x3a",
377 swap_op = "0x1234",
378 swapped = "0x3412",
379 reversed = "0x2c48",
380 le_bytes = "[0x34, 0x12]",
381 be_bytes = "[0x12, 0x34]",
382 to_xe_bytes_doc = "",
383 from_xe_bytes_doc = "",
384 bound_condition = "",
385 }
386 midpoint_impl! { i16, i32, signed }
387}
388
389impl i32 {
390 int_impl! {
391 Self = i32,
392 ActualT = i32,
393 UnsignedT = u32,
394 BITS = 32,
395 BITS_MINUS_ONE = 31,
396 Min = -2147483648,
397 Max = 2147483647,
398 rot = 8,
399 rot_op = "0x10000b3",
400 rot_result = "0xb301",
401 swap_op = "0x12345678",
402 swapped = "0x78563412",
403 reversed = "0x1e6a2c48",
404 le_bytes = "[0x78, 0x56, 0x34, 0x12]",
405 be_bytes = "[0x12, 0x34, 0x56, 0x78]",
406 to_xe_bytes_doc = "",
407 from_xe_bytes_doc = "",
408 bound_condition = "",
409 }
410 midpoint_impl! { i32, i64, signed }
411}
412
413impl i64 {
414 int_impl! {
415 Self = i64,
416 ActualT = i64,
417 UnsignedT = u64,
418 BITS = 64,
419 BITS_MINUS_ONE = 63,
420 Min = -9223372036854775808,
421 Max = 9223372036854775807,
422 rot = 12,
423 rot_op = "0xaa00000000006e1",
424 rot_result = "0x6e10aa",
425 swap_op = "0x1234567890123456",
426 swapped = "0x5634129078563412",
427 reversed = "0x6a2c48091e6a2c48",
428 le_bytes = "[0x56, 0x34, 0x12, 0x90, 0x78, 0x56, 0x34, 0x12]",
429 be_bytes = "[0x12, 0x34, 0x56, 0x78, 0x90, 0x12, 0x34, 0x56]",
430 to_xe_bytes_doc = "",
431 from_xe_bytes_doc = "",
432 bound_condition = "",
433 }
434 midpoint_impl! { i64, signed }
435}
436
437impl i128 {
438 int_impl! {
439 Self = i128,
440 ActualT = i128,
441 UnsignedT = u128,
442 BITS = 128,
443 BITS_MINUS_ONE = 127,
444 Min = -170141183460469231731687303715884105728,
445 Max = 170141183460469231731687303715884105727,
446 rot = 16,
447 rot_op = "0x13f40000000000000000000000004f76",
448 rot_result = "0x4f7613f4",
449 swap_op = "0x12345678901234567890123456789012",
450 swapped = "0x12907856341290785634129078563412",
451 reversed = "0x48091e6a2c48091e6a2c48091e6a2c48",
452 le_bytes = "[0x12, 0x90, 0x78, 0x56, 0x34, 0x12, 0x90, 0x78, \
453 0x56, 0x34, 0x12, 0x90, 0x78, 0x56, 0x34, 0x12]",
454 be_bytes = "[0x12, 0x34, 0x56, 0x78, 0x90, 0x12, 0x34, 0x56, \
455 0x78, 0x90, 0x12, 0x34, 0x56, 0x78, 0x90, 0x12]",
456 to_xe_bytes_doc = "",
457 from_xe_bytes_doc = "",
458 bound_condition = "",
459 }
460 midpoint_impl! { i128, signed }
461}
462
463#[cfg(target_pointer_width = "16")]
464impl isize {
465 int_impl! {
466 Self = isize,
467 ActualT = i16,
468 UnsignedT = usize,
469 BITS = 16,
470 BITS_MINUS_ONE = 15,
471 Min = -32768,
472 Max = 32767,
473 rot = 4,
474 rot_op = "-0x5ffd",
475 rot_result = "0x3a",
476 swap_op = "0x1234",
477 swapped = "0x3412",
478 reversed = "0x2c48",
479 le_bytes = "[0x34, 0x12]",
480 be_bytes = "[0x12, 0x34]",
481 to_xe_bytes_doc = usize_isize_to_xe_bytes_doc!(),
482 from_xe_bytes_doc = usize_isize_from_xe_bytes_doc!(),
483 bound_condition = " on 16-bit targets",
484 }
485 midpoint_impl! { isize, i32, signed }
486}
487
488#[cfg(target_pointer_width = "32")]
489impl isize {
490 int_impl! {
491 Self = isize,
492 ActualT = i32,
493 UnsignedT = usize,
494 BITS = 32,
495 BITS_MINUS_ONE = 31,
496 Min = -2147483648,
497 Max = 2147483647,
498 rot = 8,
499 rot_op = "0x10000b3",
500 rot_result = "0xb301",
501 swap_op = "0x12345678",
502 swapped = "0x78563412",
503 reversed = "0x1e6a2c48",
504 le_bytes = "[0x78, 0x56, 0x34, 0x12]",
505 be_bytes = "[0x12, 0x34, 0x56, 0x78]",
506 to_xe_bytes_doc = usize_isize_to_xe_bytes_doc!(),
507 from_xe_bytes_doc = usize_isize_from_xe_bytes_doc!(),
508 bound_condition = " on 32-bit targets",
509 }
510 midpoint_impl! { isize, i64, signed }
511}
512
513#[cfg(target_pointer_width = "64")]
514impl isize {
515 int_impl! {
516 Self = isize,
517 ActualT = i64,
518 UnsignedT = usize,
519 BITS = 64,
520 BITS_MINUS_ONE = 63,
521 Min = -9223372036854775808,
522 Max = 9223372036854775807,
523 rot = 12,
524 rot_op = "0xaa00000000006e1",
525 rot_result = "0x6e10aa",
526 swap_op = "0x1234567890123456",
527 swapped = "0x5634129078563412",
528 reversed = "0x6a2c48091e6a2c48",
529 le_bytes = "[0x56, 0x34, 0x12, 0x90, 0x78, 0x56, 0x34, 0x12]",
530 be_bytes = "[0x12, 0x34, 0x56, 0x78, 0x90, 0x12, 0x34, 0x56]",
531 to_xe_bytes_doc = usize_isize_to_xe_bytes_doc!(),
532 from_xe_bytes_doc = usize_isize_from_xe_bytes_doc!(),
533 bound_condition = " on 64-bit targets",
534 }
535 midpoint_impl! { isize, signed }
536}
537
538/// If the bit selected by this mask is set, ascii is lower case.
539const ASCII_CASE_MASK: u8 = 0b0010_0000;
540
541impl u8 {
542 uint_impl! {
543 Self = u8,
544 ActualT = u8,
545 SignedT = i8,
546 BITS = 8,
547 BITS_MINUS_ONE = 7,
548 MAX = 255,
549 rot = 2,
550 rot_op = "0x82",
551 rot_result = "0xa",
552 fsh_op = "0x36",
553 fshl_result = "0x8",
554 fshr_result = "0x8d",
555 clmul_lhs = "0x12",
556 clmul_rhs = "0x34",
557 clmul_result = "0x28",
558 swap_op = "0x12",
559 swapped = "0x12",
560 reversed = "0x48",
561 le_bytes = "[0x12]",
562 be_bytes = "[0x12]",
563 to_xe_bytes_doc = u8_xe_bytes_doc!(),
564 from_xe_bytes_doc = u8_xe_bytes_doc!(),
565 bound_condition = "",
566 }
567 midpoint_impl! { u8, u16, unsigned }
568 widening_carryless_mul_impl! { u8, u16 }
569 carrying_carryless_mul_impl! { u8, u16 }
570
571 /// Checks if the value is within the ASCII range.
572 ///
573 /// # Examples
574 ///
575 /// ```
576 /// let ascii = 97u8;
577 /// let non_ascii = 150u8;
578 ///
579 /// assert!(ascii.is_ascii());
580 /// assert!(!non_ascii.is_ascii());
581 /// ```
582 #[must_use]
583 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
584 #[rustc_const_stable(feature = "const_u8_is_ascii", since = "1.43.0")]
585 #[inline]
586 #[ferrocene::prevalidated]
587 pub const fn is_ascii(&self) -> bool {
588 *self <= 127
589 }
590
591 /// If the value of this byte is within the ASCII range, returns it as an
592 /// [ASCII character](ascii::Char). Otherwise, returns `None`.
593 #[must_use]
594 #[unstable(feature = "ascii_char", issue = "110998")]
595 #[inline]
596 pub const fn as_ascii(&self) -> Option<ascii::Char> {
597 ascii::Char::from_u8(*self)
598 }
599
600 /// Converts this byte to an [ASCII character](ascii::Char), without
601 /// checking whether or not it's valid.
602 ///
603 /// # Safety
604 ///
605 /// This byte must be valid ASCII, or else this is UB.
606 #[must_use]
607 #[unstable(feature = "ascii_char", issue = "110998")]
608 #[inline]
609 pub const unsafe fn as_ascii_unchecked(&self) -> ascii::Char {
610 assert_unsafe_precondition!(
611 check_library_ub,
612 "as_ascii_unchecked requires that the byte is valid ASCII",
613 (it: &u8 = self) => it.is_ascii()
614 );
615
616 // SAFETY: the caller promised that this byte is ASCII.
617 unsafe { ascii::Char::from_u8_unchecked(*self) }
618 }
619
620 /// Makes a copy of the value in its ASCII upper case equivalent.
621 ///
622 /// ASCII letters 'a' to 'z' are mapped to 'A' to 'Z',
623 /// but non-ASCII letters are unchanged.
624 ///
625 /// To uppercase the value in-place, use [`make_ascii_uppercase`].
626 ///
627 /// # Examples
628 ///
629 /// ```
630 /// let lowercase_a = 97u8;
631 ///
632 /// assert_eq!(65, lowercase_a.to_ascii_uppercase());
633 /// ```
634 ///
635 /// [`make_ascii_uppercase`]: Self::make_ascii_uppercase
636 #[must_use = "to uppercase the value in-place, use `make_ascii_uppercase()`"]
637 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
638 #[rustc_const_stable(feature = "const_ascii_methods_on_intrinsics", since = "1.52.0")]
639 #[inline]
640 pub const fn to_ascii_uppercase(&self) -> u8 {
641 // Toggle the 6th bit if this is a lowercase letter
642 *self ^ ((self.is_ascii_lowercase() as u8) * ASCII_CASE_MASK)
643 }
644
645 /// Makes a copy of the value in its ASCII lower case equivalent.
646 ///
647 /// ASCII letters 'A' to 'Z' are mapped to 'a' to 'z',
648 /// but non-ASCII letters are unchanged.
649 ///
650 /// To lowercase the value in-place, use [`make_ascii_lowercase`].
651 ///
652 /// # Examples
653 ///
654 /// ```
655 /// let uppercase_a = 65u8;
656 ///
657 /// assert_eq!(97, uppercase_a.to_ascii_lowercase());
658 /// ```
659 ///
660 /// [`make_ascii_lowercase`]: Self::make_ascii_lowercase
661 #[must_use = "to lowercase the value in-place, use `make_ascii_lowercase()`"]
662 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
663 #[rustc_const_stable(feature = "const_ascii_methods_on_intrinsics", since = "1.52.0")]
664 #[inline]
665 #[ferrocene::prevalidated]
666 pub const fn to_ascii_lowercase(&self) -> u8 {
667 // Set the 6th bit if this is an uppercase letter
668 *self | (self.is_ascii_uppercase() as u8 * ASCII_CASE_MASK)
669 }
670
671 /// Assumes self is ascii
672 #[inline]
673 pub(crate) const fn ascii_change_case_unchecked(&self) -> u8 {
674 *self ^ ASCII_CASE_MASK
675 }
676
677 /// Checks that two values are an ASCII case-insensitive match.
678 ///
679 /// This is equivalent to `to_ascii_lowercase(a) == to_ascii_lowercase(b)`.
680 ///
681 /// # Examples
682 ///
683 /// ```
684 /// let lowercase_a = 97u8;
685 /// let uppercase_a = 65u8;
686 ///
687 /// assert!(lowercase_a.eq_ignore_ascii_case(&uppercase_a));
688 /// ```
689 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
690 #[rustc_const_stable(feature = "const_ascii_methods_on_intrinsics", since = "1.52.0")]
691 #[inline]
692 #[ferrocene::prevalidated]
693 pub const fn eq_ignore_ascii_case(&self, other: &u8) -> bool {
694 self.to_ascii_lowercase() == other.to_ascii_lowercase()
695 }
696
697 /// Converts this value to its ASCII upper case equivalent in-place.
698 ///
699 /// ASCII letters 'a' to 'z' are mapped to 'A' to 'Z',
700 /// but non-ASCII letters are unchanged.
701 ///
702 /// To return a new uppercased value without modifying the existing one, use
703 /// [`to_ascii_uppercase`].
704 ///
705 /// # Examples
706 ///
707 /// ```
708 /// let mut byte = b'a';
709 ///
710 /// byte.make_ascii_uppercase();
711 ///
712 /// assert_eq!(b'A', byte);
713 /// ```
714 ///
715 /// [`to_ascii_uppercase`]: Self::to_ascii_uppercase
716 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
717 #[rustc_const_stable(feature = "const_make_ascii", since = "1.84.0")]
718 #[inline]
719 pub const fn make_ascii_uppercase(&mut self) {
720 *self = self.to_ascii_uppercase();
721 }
722
723 /// Converts this value to its ASCII lower case equivalent in-place.
724 ///
725 /// ASCII letters 'A' to 'Z' are mapped to 'a' to 'z',
726 /// but non-ASCII letters are unchanged.
727 ///
728 /// To return a new lowercased value without modifying the existing one, use
729 /// [`to_ascii_lowercase`].
730 ///
731 /// # Examples
732 ///
733 /// ```
734 /// let mut byte = b'A';
735 ///
736 /// byte.make_ascii_lowercase();
737 ///
738 /// assert_eq!(b'a', byte);
739 /// ```
740 ///
741 /// [`to_ascii_lowercase`]: Self::to_ascii_lowercase
742 #[stable(feature = "ascii_methods_on_intrinsics", since = "1.23.0")]
743 #[rustc_const_stable(feature = "const_make_ascii", since = "1.84.0")]
744 #[inline]
745 pub const fn make_ascii_lowercase(&mut self) {
746 *self = self.to_ascii_lowercase();
747 }
748
749 /// Checks if the value is an ASCII alphabetic character:
750 ///
751 /// - U+0041 'A' ..= U+005A 'Z', or
752 /// - U+0061 'a' ..= U+007A 'z'.
753 ///
754 /// # Examples
755 ///
756 /// ```
757 /// let uppercase_a = b'A';
758 /// let uppercase_g = b'G';
759 /// let a = b'a';
760 /// let g = b'g';
761 /// let zero = b'0';
762 /// let percent = b'%';
763 /// let space = b' ';
764 /// let lf = b'\n';
765 /// let esc = b'\x1b';
766 ///
767 /// assert!(uppercase_a.is_ascii_alphabetic());
768 /// assert!(uppercase_g.is_ascii_alphabetic());
769 /// assert!(a.is_ascii_alphabetic());
770 /// assert!(g.is_ascii_alphabetic());
771 /// assert!(!zero.is_ascii_alphabetic());
772 /// assert!(!percent.is_ascii_alphabetic());
773 /// assert!(!space.is_ascii_alphabetic());
774 /// assert!(!lf.is_ascii_alphabetic());
775 /// assert!(!esc.is_ascii_alphabetic());
776 /// ```
777 #[must_use]
778 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
779 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
780 #[inline]
781 #[ferrocene::prevalidated]
782 pub const fn is_ascii_alphabetic(&self) -> bool {
783 matches!(*self, b'A'..=b'Z' | b'a'..=b'z')
784 }
785
786 /// Checks if the value is an ASCII uppercase character:
787 /// U+0041 'A' ..= U+005A 'Z'.
788 ///
789 /// # Examples
790 ///
791 /// ```
792 /// let uppercase_a = b'A';
793 /// let uppercase_g = b'G';
794 /// let a = b'a';
795 /// let g = b'g';
796 /// let zero = b'0';
797 /// let percent = b'%';
798 /// let space = b' ';
799 /// let lf = b'\n';
800 /// let esc = b'\x1b';
801 ///
802 /// assert!(uppercase_a.is_ascii_uppercase());
803 /// assert!(uppercase_g.is_ascii_uppercase());
804 /// assert!(!a.is_ascii_uppercase());
805 /// assert!(!g.is_ascii_uppercase());
806 /// assert!(!zero.is_ascii_uppercase());
807 /// assert!(!percent.is_ascii_uppercase());
808 /// assert!(!space.is_ascii_uppercase());
809 /// assert!(!lf.is_ascii_uppercase());
810 /// assert!(!esc.is_ascii_uppercase());
811 /// ```
812 #[must_use]
813 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
814 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
815 #[inline]
816 #[ferrocene::prevalidated]
817 pub const fn is_ascii_uppercase(&self) -> bool {
818 matches!(*self, b'A'..=b'Z')
819 }
820
821 /// Checks if the value is an ASCII lowercase character:
822 /// U+0061 'a' ..= U+007A 'z'.
823 ///
824 /// # Examples
825 ///
826 /// ```
827 /// let uppercase_a = b'A';
828 /// let uppercase_g = b'G';
829 /// let a = b'a';
830 /// let g = b'g';
831 /// let zero = b'0';
832 /// let percent = b'%';
833 /// let space = b' ';
834 /// let lf = b'\n';
835 /// let esc = b'\x1b';
836 ///
837 /// assert!(!uppercase_a.is_ascii_lowercase());
838 /// assert!(!uppercase_g.is_ascii_lowercase());
839 /// assert!(a.is_ascii_lowercase());
840 /// assert!(g.is_ascii_lowercase());
841 /// assert!(!zero.is_ascii_lowercase());
842 /// assert!(!percent.is_ascii_lowercase());
843 /// assert!(!space.is_ascii_lowercase());
844 /// assert!(!lf.is_ascii_lowercase());
845 /// assert!(!esc.is_ascii_lowercase());
846 /// ```
847 #[must_use]
848 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
849 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
850 #[inline]
851 pub const fn is_ascii_lowercase(&self) -> bool {
852 matches!(*self, b'a'..=b'z')
853 }
854
855 /// Checks if the value is an ASCII alphanumeric character:
856 ///
857 /// - U+0041 'A' ..= U+005A 'Z', or
858 /// - U+0061 'a' ..= U+007A 'z', or
859 /// - U+0030 '0' ..= U+0039 '9'.
860 ///
861 /// # Examples
862 ///
863 /// ```
864 /// let uppercase_a = b'A';
865 /// let uppercase_g = b'G';
866 /// let a = b'a';
867 /// let g = b'g';
868 /// let zero = b'0';
869 /// let percent = b'%';
870 /// let space = b' ';
871 /// let lf = b'\n';
872 /// let esc = b'\x1b';
873 ///
874 /// assert!(uppercase_a.is_ascii_alphanumeric());
875 /// assert!(uppercase_g.is_ascii_alphanumeric());
876 /// assert!(a.is_ascii_alphanumeric());
877 /// assert!(g.is_ascii_alphanumeric());
878 /// assert!(zero.is_ascii_alphanumeric());
879 /// assert!(!percent.is_ascii_alphanumeric());
880 /// assert!(!space.is_ascii_alphanumeric());
881 /// assert!(!lf.is_ascii_alphanumeric());
882 /// assert!(!esc.is_ascii_alphanumeric());
883 /// ```
884 #[must_use]
885 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
886 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
887 #[inline]
888 pub const fn is_ascii_alphanumeric(&self) -> bool {
889 matches!(*self, b'0'..=b'9') | matches!(*self, b'A'..=b'Z') | matches!(*self, b'a'..=b'z')
890 }
891
892 /// Checks if the value is an ASCII decimal digit:
893 /// U+0030 '0' ..= U+0039 '9'.
894 ///
895 /// # Examples
896 ///
897 /// ```
898 /// let uppercase_a = b'A';
899 /// let uppercase_g = b'G';
900 /// let a = b'a';
901 /// let g = b'g';
902 /// let zero = b'0';
903 /// let percent = b'%';
904 /// let space = b' ';
905 /// let lf = b'\n';
906 /// let esc = b'\x1b';
907 ///
908 /// assert!(!uppercase_a.is_ascii_digit());
909 /// assert!(!uppercase_g.is_ascii_digit());
910 /// assert!(!a.is_ascii_digit());
911 /// assert!(!g.is_ascii_digit());
912 /// assert!(zero.is_ascii_digit());
913 /// assert!(!percent.is_ascii_digit());
914 /// assert!(!space.is_ascii_digit());
915 /// assert!(!lf.is_ascii_digit());
916 /// assert!(!esc.is_ascii_digit());
917 /// ```
918 #[must_use]
919 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
920 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
921 #[inline]
922 pub const fn is_ascii_digit(&self) -> bool {
923 matches!(*self, b'0'..=b'9')
924 }
925
926 /// Checks if the value is an ASCII octal digit:
927 /// U+0030 '0' ..= U+0037 '7'.
928 ///
929 /// # Examples
930 ///
931 /// ```
932 /// #![feature(is_ascii_octdigit)]
933 ///
934 /// let uppercase_a = b'A';
935 /// let a = b'a';
936 /// let zero = b'0';
937 /// let seven = b'7';
938 /// let nine = b'9';
939 /// let percent = b'%';
940 /// let lf = b'\n';
941 ///
942 /// assert!(!uppercase_a.is_ascii_octdigit());
943 /// assert!(!a.is_ascii_octdigit());
944 /// assert!(zero.is_ascii_octdigit());
945 /// assert!(seven.is_ascii_octdigit());
946 /// assert!(!nine.is_ascii_octdigit());
947 /// assert!(!percent.is_ascii_octdigit());
948 /// assert!(!lf.is_ascii_octdigit());
949 /// ```
950 #[must_use]
951 #[unstable(feature = "is_ascii_octdigit", issue = "101288")]
952 #[inline]
953 pub const fn is_ascii_octdigit(&self) -> bool {
954 matches!(*self, b'0'..=b'7')
955 }
956
957 /// Checks if the value is an ASCII hexadecimal digit:
958 ///
959 /// - U+0030 '0' ..= U+0039 '9', or
960 /// - U+0041 'A' ..= U+0046 'F', or
961 /// - U+0061 'a' ..= U+0066 'f'.
962 ///
963 /// # Examples
964 ///
965 /// ```
966 /// let uppercase_a = b'A';
967 /// let uppercase_g = b'G';
968 /// let a = b'a';
969 /// let g = b'g';
970 /// let zero = b'0';
971 /// let percent = b'%';
972 /// let space = b' ';
973 /// let lf = b'\n';
974 /// let esc = b'\x1b';
975 ///
976 /// assert!(uppercase_a.is_ascii_hexdigit());
977 /// assert!(!uppercase_g.is_ascii_hexdigit());
978 /// assert!(a.is_ascii_hexdigit());
979 /// assert!(!g.is_ascii_hexdigit());
980 /// assert!(zero.is_ascii_hexdigit());
981 /// assert!(!percent.is_ascii_hexdigit());
982 /// assert!(!space.is_ascii_hexdigit());
983 /// assert!(!lf.is_ascii_hexdigit());
984 /// assert!(!esc.is_ascii_hexdigit());
985 /// ```
986 #[must_use]
987 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
988 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
989 #[inline]
990 pub const fn is_ascii_hexdigit(&self) -> bool {
991 matches!(*self, b'0'..=b'9') | matches!(*self, b'A'..=b'F') | matches!(*self, b'a'..=b'f')
992 }
993
994 /// Checks if the value is an ASCII punctuation character:
995 ///
996 /// - U+0021 ..= U+002F `! " # $ % & ' ( ) * + , - . /`, or
997 /// - U+003A ..= U+0040 `: ; < = > ? @`, or
998 /// - U+005B ..= U+0060 `` [ \ ] ^ _ ` ``, or
999 /// - U+007B ..= U+007E `{ | } ~`
1000 ///
1001 /// # Examples
1002 ///
1003 /// ```
1004 /// let uppercase_a = b'A';
1005 /// let uppercase_g = b'G';
1006 /// let a = b'a';
1007 /// let g = b'g';
1008 /// let zero = b'0';
1009 /// let percent = b'%';
1010 /// let space = b' ';
1011 /// let lf = b'\n';
1012 /// let esc = b'\x1b';
1013 ///
1014 /// assert!(!uppercase_a.is_ascii_punctuation());
1015 /// assert!(!uppercase_g.is_ascii_punctuation());
1016 /// assert!(!a.is_ascii_punctuation());
1017 /// assert!(!g.is_ascii_punctuation());
1018 /// assert!(!zero.is_ascii_punctuation());
1019 /// assert!(percent.is_ascii_punctuation());
1020 /// assert!(!space.is_ascii_punctuation());
1021 /// assert!(!lf.is_ascii_punctuation());
1022 /// assert!(!esc.is_ascii_punctuation());
1023 /// ```
1024 #[must_use]
1025 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1026 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1027 #[inline]
1028 pub const fn is_ascii_punctuation(&self) -> bool {
1029 matches!(*self, b'!'..=b'/')
1030 | matches!(*self, b':'..=b'@')
1031 | matches!(*self, b'['..=b'`')
1032 | matches!(*self, b'{'..=b'~')
1033 }
1034
1035 /// Checks if the value is an ASCII graphic character:
1036 /// U+0021 '!' ..= U+007E '~'.
1037 ///
1038 /// # Examples
1039 ///
1040 /// ```
1041 /// let uppercase_a = b'A';
1042 /// let uppercase_g = b'G';
1043 /// let a = b'a';
1044 /// let g = b'g';
1045 /// let zero = b'0';
1046 /// let percent = b'%';
1047 /// let space = b' ';
1048 /// let lf = b'\n';
1049 /// let esc = b'\x1b';
1050 ///
1051 /// assert!(uppercase_a.is_ascii_graphic());
1052 /// assert!(uppercase_g.is_ascii_graphic());
1053 /// assert!(a.is_ascii_graphic());
1054 /// assert!(g.is_ascii_graphic());
1055 /// assert!(zero.is_ascii_graphic());
1056 /// assert!(percent.is_ascii_graphic());
1057 /// assert!(!space.is_ascii_graphic());
1058 /// assert!(!lf.is_ascii_graphic());
1059 /// assert!(!esc.is_ascii_graphic());
1060 /// ```
1061 #[must_use]
1062 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1063 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1064 #[inline]
1065 pub const fn is_ascii_graphic(&self) -> bool {
1066 matches!(*self, b'!'..=b'~')
1067 }
1068
1069 /// Checks if the value is an ASCII whitespace character:
1070 /// U+0020 SPACE, U+0009 HORIZONTAL TAB, U+000A LINE FEED,
1071 /// U+000C FORM FEED, or U+000D CARRIAGE RETURN.
1072 ///
1073 /// Rust uses the WhatWG Infra Standard's [definition of ASCII
1074 /// whitespace][infra-aw]. There are several other definitions in
1075 /// wide use. For instance, [the POSIX locale][pct] includes
1076 /// U+000B VERTICAL TAB as well as all the above characters,
1077 /// but—from the very same specification—[the default rule for
1078 /// "field splitting" in the Bourne shell][bfs] considers *only*
1079 /// SPACE, HORIZONTAL TAB, and LINE FEED as whitespace.
1080 ///
1081 /// If you are writing a program that will process an existing
1082 /// file format, check what that format's definition of whitespace is
1083 /// before using this function.
1084 ///
1085 /// [infra-aw]: https://infra.spec.whatwg.org/#ascii-whitespace
1086 /// [pct]: https://pubs.opengroup.org/onlinepubs/9699919799/basedefs/V1_chap07.html#tag_07_03_01
1087 /// [bfs]: https://pubs.opengroup.org/onlinepubs/9699919799/utilities/V3_chap02.html#tag_18_06_05
1088 ///
1089 /// # Examples
1090 ///
1091 /// ```
1092 /// let uppercase_a = b'A';
1093 /// let uppercase_g = b'G';
1094 /// let a = b'a';
1095 /// let g = b'g';
1096 /// let zero = b'0';
1097 /// let percent = b'%';
1098 /// let space = b' ';
1099 /// let lf = b'\n';
1100 /// let esc = b'\x1b';
1101 ///
1102 /// assert!(!uppercase_a.is_ascii_whitespace());
1103 /// assert!(!uppercase_g.is_ascii_whitespace());
1104 /// assert!(!a.is_ascii_whitespace());
1105 /// assert!(!g.is_ascii_whitespace());
1106 /// assert!(!zero.is_ascii_whitespace());
1107 /// assert!(!percent.is_ascii_whitespace());
1108 /// assert!(space.is_ascii_whitespace());
1109 /// assert!(lf.is_ascii_whitespace());
1110 /// assert!(!esc.is_ascii_whitespace());
1111 /// ```
1112 #[must_use]
1113 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1114 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1115 #[inline]
1116 pub const fn is_ascii_whitespace(&self) -> bool {
1117 matches!(*self, b'\t' | b'\n' | b'\x0C' | b'\r' | b' ')
1118 }
1119
1120 /// Checks if the value is an ASCII control character:
1121 /// U+0000 NUL ..= U+001F UNIT SEPARATOR, or U+007F DELETE.
1122 /// Note that most ASCII whitespace characters are control
1123 /// characters, but SPACE is not.
1124 ///
1125 /// # Examples
1126 ///
1127 /// ```
1128 /// let uppercase_a = b'A';
1129 /// let uppercase_g = b'G';
1130 /// let a = b'a';
1131 /// let g = b'g';
1132 /// let zero = b'0';
1133 /// let percent = b'%';
1134 /// let space = b' ';
1135 /// let lf = b'\n';
1136 /// let esc = b'\x1b';
1137 ///
1138 /// assert!(!uppercase_a.is_ascii_control());
1139 /// assert!(!uppercase_g.is_ascii_control());
1140 /// assert!(!a.is_ascii_control());
1141 /// assert!(!g.is_ascii_control());
1142 /// assert!(!zero.is_ascii_control());
1143 /// assert!(!percent.is_ascii_control());
1144 /// assert!(!space.is_ascii_control());
1145 /// assert!(lf.is_ascii_control());
1146 /// assert!(esc.is_ascii_control());
1147 /// ```
1148 #[must_use]
1149 #[stable(feature = "ascii_ctype_on_intrinsics", since = "1.24.0")]
1150 #[rustc_const_stable(feature = "const_ascii_ctype_on_intrinsics", since = "1.47.0")]
1151 #[inline]
1152 #[ferrocene::prevalidated]
1153 pub const fn is_ascii_control(&self) -> bool {
1154 matches!(*self, b'\0'..=b'\x1F' | b'\x7F')
1155 }
1156
1157 /// Returns an iterator that produces an escaped version of a `u8`,
1158 /// treating it as an ASCII character.
1159 ///
1160 /// The behavior is identical to [`ascii::escape_default`].
1161 ///
1162 /// # Examples
1163 ///
1164 /// ```
1165 /// assert_eq!("0", b'0'.escape_ascii().to_string());
1166 /// assert_eq!("\\t", b'\t'.escape_ascii().to_string());
1167 /// assert_eq!("\\r", b'\r'.escape_ascii().to_string());
1168 /// assert_eq!("\\n", b'\n'.escape_ascii().to_string());
1169 /// assert_eq!("\\'", b'\''.escape_ascii().to_string());
1170 /// assert_eq!("\\\"", b'"'.escape_ascii().to_string());
1171 /// assert_eq!("\\\\", b'\\'.escape_ascii().to_string());
1172 /// assert_eq!("\\x9d", b'\x9d'.escape_ascii().to_string());
1173 /// ```
1174 #[must_use = "this returns the escaped byte as an iterator, \
1175 without modifying the original"]
1176 #[stable(feature = "inherent_ascii_escape", since = "1.60.0")]
1177 #[inline]
1178 #[ferrocene::prevalidated]
1179 pub fn escape_ascii(self) -> ascii::EscapeDefault {
1180 ascii::escape_default(self)
1181 }
1182
1183 #[inline]
1184 #[ferrocene::prevalidated]
1185 pub(crate) const fn is_utf8_char_boundary(self) -> bool {
1186 // This is bit magic equivalent to: b < 128 || b >= 192
1187 (self as i8) >= -0x40
1188 }
1189}
1190
1191impl u16 {
1192 uint_impl! {
1193 Self = u16,
1194 ActualT = u16,
1195 SignedT = i16,
1196 BITS = 16,
1197 BITS_MINUS_ONE = 15,
1198 MAX = 65535,
1199 rot = 4,
1200 rot_op = "0xa003",
1201 rot_result = "0x3a",
1202 fsh_op = "0x2de",
1203 fshl_result = "0x30",
1204 fshr_result = "0x302d",
1205 clmul_lhs = "0x9012",
1206 clmul_rhs = "0xcd34",
1207 clmul_result = "0x928",
1208 swap_op = "0x1234",
1209 swapped = "0x3412",
1210 reversed = "0x2c48",
1211 le_bytes = "[0x34, 0x12]",
1212 be_bytes = "[0x12, 0x34]",
1213 to_xe_bytes_doc = "",
1214 from_xe_bytes_doc = "",
1215 bound_condition = "",
1216 }
1217 midpoint_impl! { u16, u32, unsigned }
1218 widening_carryless_mul_impl! { u16, u32 }
1219 carrying_carryless_mul_impl! { u16, u32 }
1220
1221 /// Checks if the value is a Unicode surrogate code point, which are disallowed values for [`char`].
1222 ///
1223 /// # Examples
1224 ///
1225 /// ```
1226 /// #![feature(utf16_extra)]
1227 ///
1228 /// let low_non_surrogate = 0xA000u16;
1229 /// let low_surrogate = 0xD800u16;
1230 /// let high_surrogate = 0xDC00u16;
1231 /// let high_non_surrogate = 0xE000u16;
1232 ///
1233 /// assert!(!low_non_surrogate.is_utf16_surrogate());
1234 /// assert!(low_surrogate.is_utf16_surrogate());
1235 /// assert!(high_surrogate.is_utf16_surrogate());
1236 /// assert!(!high_non_surrogate.is_utf16_surrogate());
1237 /// ```
1238 #[must_use]
1239 #[unstable(feature = "utf16_extra", issue = "94919")]
1240 #[inline]
1241 #[ferrocene::prevalidated]
1242 pub const fn is_utf16_surrogate(self) -> bool {
1243 matches!(self, 0xD800..=0xDFFF)
1244 }
1245}
1246
1247impl u32 {
1248 uint_impl! {
1249 Self = u32,
1250 ActualT = u32,
1251 SignedT = i32,
1252 BITS = 32,
1253 BITS_MINUS_ONE = 31,
1254 MAX = 4294967295,
1255 rot = 8,
1256 rot_op = "0x10000b3",
1257 rot_result = "0xb301",
1258 fsh_op = "0x2fe78e45",
1259 fshl_result = "0xb32f",
1260 fshr_result = "0xb32fe78e",
1261 clmul_lhs = "0x56789012",
1262 clmul_rhs = "0xf52ecd34",
1263 clmul_result = "0x9b980928",
1264 swap_op = "0x12345678",
1265 swapped = "0x78563412",
1266 reversed = "0x1e6a2c48",
1267 le_bytes = "[0x78, 0x56, 0x34, 0x12]",
1268 be_bytes = "[0x12, 0x34, 0x56, 0x78]",
1269 to_xe_bytes_doc = "",
1270 from_xe_bytes_doc = "",
1271 bound_condition = "",
1272 }
1273 midpoint_impl! { u32, u64, unsigned }
1274 widening_carryless_mul_impl! { u32, u64 }
1275 carrying_carryless_mul_impl! { u32, u64 }
1276}
1277
1278impl u64 {
1279 uint_impl! {
1280 Self = u64,
1281 ActualT = u64,
1282 SignedT = i64,
1283 BITS = 64,
1284 BITS_MINUS_ONE = 63,
1285 MAX = 18446744073709551615,
1286 rot = 12,
1287 rot_op = "0xaa00000000006e1",
1288 rot_result = "0x6e10aa",
1289 fsh_op = "0x2fe78e45983acd98",
1290 fshl_result = "0x6e12fe",
1291 fshr_result = "0x6e12fe78e45983ac",
1292 clmul_lhs = "0x7890123456789012",
1293 clmul_rhs = "0xdd358416f52ecd34",
1294 clmul_result = "0xa6299579b980928",
1295 swap_op = "0x1234567890123456",
1296 swapped = "0x5634129078563412",
1297 reversed = "0x6a2c48091e6a2c48",
1298 le_bytes = "[0x56, 0x34, 0x12, 0x90, 0x78, 0x56, 0x34, 0x12]",
1299 be_bytes = "[0x12, 0x34, 0x56, 0x78, 0x90, 0x12, 0x34, 0x56]",
1300 to_xe_bytes_doc = "",
1301 from_xe_bytes_doc = "",
1302 bound_condition = "",
1303 }
1304 midpoint_impl! { u64, u128, unsigned }
1305 widening_carryless_mul_impl! { u64, u128 }
1306 carrying_carryless_mul_impl! { u64, u128 }
1307}
1308
1309impl u128 {
1310 uint_impl! {
1311 Self = u128,
1312 ActualT = u128,
1313 SignedT = i128,
1314 BITS = 128,
1315 BITS_MINUS_ONE = 127,
1316 MAX = 340282366920938463463374607431768211455,
1317 rot = 16,
1318 rot_op = "0x13f40000000000000000000000004f76",
1319 rot_result = "0x4f7613f4",
1320 fsh_op = "0x2fe78e45983acd98039000008736273",
1321 fshl_result = "0x4f7602fe",
1322 fshr_result = "0x4f7602fe78e45983acd9803900000873",
1323 clmul_lhs = "0x12345678901234567890123456789012",
1324 clmul_rhs = "0x4317e40ab4ddcf05dd358416f52ecd34",
1325 clmul_result = "0xb9cf660de35d0c170a6299579b980928",
1326 swap_op = "0x12345678901234567890123456789012",
1327 swapped = "0x12907856341290785634129078563412",
1328 reversed = "0x48091e6a2c48091e6a2c48091e6a2c48",
1329 le_bytes = "[0x12, 0x90, 0x78, 0x56, 0x34, 0x12, 0x90, 0x78, \
1330 0x56, 0x34, 0x12, 0x90, 0x78, 0x56, 0x34, 0x12]",
1331 be_bytes = "[0x12, 0x34, 0x56, 0x78, 0x90, 0x12, 0x34, 0x56, \
1332 0x78, 0x90, 0x12, 0x34, 0x56, 0x78, 0x90, 0x12]",
1333 to_xe_bytes_doc = "",
1334 from_xe_bytes_doc = "",
1335 bound_condition = "",
1336 }
1337 midpoint_impl! { u128, unsigned }
1338 carrying_carryless_mul_impl! { u128, u256 }
1339}
1340
1341#[cfg(target_pointer_width = "16")]
1342impl usize {
1343 uint_impl! {
1344 Self = usize,
1345 ActualT = u16,
1346 SignedT = isize,
1347 BITS = 16,
1348 BITS_MINUS_ONE = 15,
1349 MAX = 65535,
1350 rot = 4,
1351 rot_op = "0xa003",
1352 rot_result = "0x3a",
1353 fsh_op = "0x2de",
1354 fshl_result = "0x30",
1355 fshr_result = "0x302d",
1356 clmul_lhs = "0x9012",
1357 clmul_rhs = "0xcd34",
1358 clmul_result = "0x928",
1359 swap_op = "0x1234",
1360 swapped = "0x3412",
1361 reversed = "0x2c48",
1362 le_bytes = "[0x34, 0x12]",
1363 be_bytes = "[0x12, 0x34]",
1364 to_xe_bytes_doc = usize_isize_to_xe_bytes_doc!(),
1365 from_xe_bytes_doc = usize_isize_from_xe_bytes_doc!(),
1366 bound_condition = " on 16-bit targets",
1367 }
1368 midpoint_impl! { usize, u32, unsigned }
1369 carrying_carryless_mul_impl! { usize, u32 }
1370}
1371
1372#[cfg(target_pointer_width = "32")]
1373impl usize {
1374 uint_impl! {
1375 Self = usize,
1376 ActualT = u32,
1377 SignedT = isize,
1378 BITS = 32,
1379 BITS_MINUS_ONE = 31,
1380 MAX = 4294967295,
1381 rot = 8,
1382 rot_op = "0x10000b3",
1383 rot_result = "0xb301",
1384 fsh_op = "0x2fe78e45",
1385 fshl_result = "0xb32f",
1386 fshr_result = "0xb32fe78e",
1387 clmul_lhs = "0x56789012",
1388 clmul_rhs = "0xf52ecd34",
1389 clmul_result = "0x9b980928",
1390 swap_op = "0x12345678",
1391 swapped = "0x78563412",
1392 reversed = "0x1e6a2c48",
1393 le_bytes = "[0x78, 0x56, 0x34, 0x12]",
1394 be_bytes = "[0x12, 0x34, 0x56, 0x78]",
1395 to_xe_bytes_doc = usize_isize_to_xe_bytes_doc!(),
1396 from_xe_bytes_doc = usize_isize_from_xe_bytes_doc!(),
1397 bound_condition = " on 32-bit targets",
1398 }
1399 midpoint_impl! { usize, u64, unsigned }
1400 carrying_carryless_mul_impl! { usize, u64 }
1401}
1402
1403#[cfg(target_pointer_width = "64")]
1404impl usize {
1405 uint_impl! {
1406 Self = usize,
1407 ActualT = u64,
1408 SignedT = isize,
1409 BITS = 64,
1410 BITS_MINUS_ONE = 63,
1411 MAX = 18446744073709551615,
1412 rot = 12,
1413 rot_op = "0xaa00000000006e1",
1414 rot_result = "0x6e10aa",
1415 fsh_op = "0x2fe78e45983acd98",
1416 fshl_result = "0x6e12fe",
1417 fshr_result = "0x6e12fe78e45983ac",
1418 clmul_lhs = "0x7890123456789012",
1419 clmul_rhs = "0xdd358416f52ecd34",
1420 clmul_result = "0xa6299579b980928",
1421 swap_op = "0x1234567890123456",
1422 swapped = "0x5634129078563412",
1423 reversed = "0x6a2c48091e6a2c48",
1424 le_bytes = "[0x56, 0x34, 0x12, 0x90, 0x78, 0x56, 0x34, 0x12]",
1425 be_bytes = "[0x12, 0x34, 0x56, 0x78, 0x90, 0x12, 0x34, 0x56]",
1426 to_xe_bytes_doc = usize_isize_to_xe_bytes_doc!(),
1427 from_xe_bytes_doc = usize_isize_from_xe_bytes_doc!(),
1428 bound_condition = " on 64-bit targets",
1429 }
1430 midpoint_impl! { usize, u128, unsigned }
1431 carrying_carryless_mul_impl! { usize, u128 }
1432}
1433
1434impl usize {
1435 /// Returns an `usize` where every byte is equal to `x`.
1436 #[inline]
1437 #[ferrocene::prevalidated]
1438 pub(crate) const fn repeat_u8(x: u8) -> usize {
1439 usize::from_ne_bytes([x; size_of::<usize>()])
1440 }
1441
1442 /// Returns an `usize` where every byte pair is equal to `x`.
1443 #[inline]
1444 #[ferrocene::annotation("This function is only being used in constants and cannot be covered")]
1445 #[ferrocene::prevalidated]
1446 pub(crate) const fn repeat_u16(x: u16) -> usize {
1447 let mut r = 0usize;
1448 let mut i = 0;
1449 while i < size_of::<usize>() {
1450 // Use `wrapping_shl` to make it work on targets with 16-bit `usize`
1451 r = r.wrapping_shl(16) | (x as usize);
1452 i += 2;
1453 }
1454 r
1455 }
1456}
1457
1458/// A classification of floating point numbers.
1459///
1460/// This `enum` is used as the return type for [`f32::classify`] and [`f64::classify`]. See
1461/// their documentation for more.
1462///
1463/// # Examples
1464///
1465/// ```
1466/// use std::num::FpCategory;
1467///
1468/// let num = 12.4_f32;
1469/// let inf = f32::INFINITY;
1470/// let zero = 0f32;
1471/// let sub: f32 = 1.1754942e-38;
1472/// let nan = f32::NAN;
1473///
1474/// assert_eq!(num.classify(), FpCategory::Normal);
1475/// assert_eq!(inf.classify(), FpCategory::Infinite);
1476/// assert_eq!(zero.classify(), FpCategory::Zero);
1477/// assert_eq!(sub.classify(), FpCategory::Subnormal);
1478/// assert_eq!(nan.classify(), FpCategory::Nan);
1479/// ```
1480#[derive(Copy, Clone, PartialEq, Eq, Debug)]
1481#[stable(feature = "rust1", since = "1.0.0")]
1482#[ferrocene::prevalidated]
1483pub enum FpCategory {
1484 /// NaN (not a number): this value results from calculations like `(-1.0).sqrt()`.
1485 ///
1486 /// See [the documentation for `f32`](f32) for more information on the unusual properties
1487 /// of NaN.
1488 #[stable(feature = "rust1", since = "1.0.0")]
1489 Nan,
1490
1491 /// Positive or negative infinity, which often results from dividing a nonzero number
1492 /// by zero.
1493 #[stable(feature = "rust1", since = "1.0.0")]
1494 Infinite,
1495
1496 /// Positive or negative zero.
1497 ///
1498 /// See [the documentation for `f32`](f32) for more information on the signedness of zeroes.
1499 #[stable(feature = "rust1", since = "1.0.0")]
1500 Zero,
1501
1502 /// “Subnormal” or “denormal” floating point representation (less precise, relative to
1503 /// their magnitude, than [`Normal`]).
1504 ///
1505 /// Subnormal numbers are larger in magnitude than [`Zero`] but smaller in magnitude than all
1506 /// [`Normal`] numbers.
1507 ///
1508 /// [`Normal`]: Self::Normal
1509 /// [`Zero`]: Self::Zero
1510 #[stable(feature = "rust1", since = "1.0.0")]
1511 Subnormal,
1512
1513 /// A regular floating point number, not any of the exceptional categories.
1514 ///
1515 /// The smallest positive normal numbers are [`f32::MIN_POSITIVE`] and [`f64::MIN_POSITIVE`],
1516 /// and the largest positive normal numbers are [`f32::MAX`] and [`f64::MAX`]. (Unlike signed
1517 /// integers, floating point numbers are symmetric in their range, so negating any of these
1518 /// constants will produce their negative counterpart.)
1519 #[stable(feature = "rust1", since = "1.0.0")]
1520 Normal,
1521}
1522
1523/// Determines if a string of text of that length of that radix could be guaranteed to be
1524/// stored in the given type T.
1525/// Note that if the radix is known to the compiler, it is just the check of digits.len that
1526/// is done at runtime.
1527#[doc(hidden)]
1528#[inline(always)]
1529#[unstable(issue = "none", feature = "std_internals")]
1530#[ferrocene::prevalidated]
1531pub const fn can_not_overflow<T>(radix: u32, is_signed_ty: bool, digits: &[u8]) -> bool {
1532 radix <= 16 && digits.len() <= size_of::<T>() * 2 - is_signed_ty as usize
1533}
1534
1535#[cfg_attr(not(panic = "immediate-abort"), inline(never))]
1536#[cfg_attr(panic = "immediate-abort", inline)]
1537#[cold]
1538#[track_caller]
1539#[ferrocene::prevalidated]
1540const fn from_ascii_radix_panic(radix: u32) -> ! {
1541 const_panic!(
1542 "from_ascii_radix: radix must lie in the range `[2, 36]`",
1543 "from_ascii_radix: radix must lie in the range `[2, 36]` - found {radix}",
1544 radix: u32 = radix,
1545 )
1546}
1547
1548macro_rules! from_str_int_impl {
1549 ($signedness:ident $($int_ty:ty)+) => {$(
1550 #[stable(feature = "rust1", since = "1.0.0")]
1551 #[rustc_const_unstable(feature = "const_convert", issue = "143773")]
1552 impl const FromStr for $int_ty {
1553 type Err = ParseIntError;
1554
1555 /// Parses an integer from a string slice with decimal digits.
1556 ///
1557 /// The characters are expected to be an optional
1558 #[doc = sign_dependent_expr!{
1559 $signedness ?
1560 if signed {
1561 " `+` or `-` "
1562 }
1563 if unsigned {
1564 " `+` "
1565 }
1566 }]
1567 /// sign followed by only digits. Leading and trailing non-digit characters (including
1568 /// whitespace) represent an error. Underscores (which are accepted in Rust literals)
1569 /// also represent an error.
1570 ///
1571 /// # See also
1572 /// For parsing numbers in other bases, such as binary or hexadecimal,
1573 /// see [`from_str_radix`][Self::from_str_radix].
1574 ///
1575 /// # Examples
1576 ///
1577 /// ```
1578 /// use std::str::FromStr;
1579 ///
1580 #[doc = concat!("assert_eq!(", stringify!($int_ty), "::from_str(\"+10\"), Ok(10));")]
1581 /// ```
1582 /// Trailing space returns error:
1583 /// ```
1584 /// # use std::str::FromStr;
1585 /// #
1586 #[doc = concat!("assert!(", stringify!($int_ty), "::from_str(\"1 \").is_err());")]
1587 /// ```
1588 #[inline]
1589 fn from_str(src: &str) -> Result<$int_ty, ParseIntError> {
1590 <$int_ty>::from_str_radix(src, 10)
1591 }
1592 }
1593
1594 impl $int_ty {
1595 /// Parses an integer from a string slice with digits in a given base.
1596 ///
1597 /// The string is expected to be an optional
1598 #[doc = sign_dependent_expr!{
1599 $signedness ?
1600 if signed {
1601 " `+` or `-` "
1602 }
1603 if unsigned {
1604 " `+` "
1605 }
1606 }]
1607 /// sign followed by only digits. Leading and trailing non-digit characters (including
1608 /// whitespace) represent an error. Underscores (which are accepted in Rust literals)
1609 /// also represent an error.
1610 ///
1611 /// Digits are a subset of these characters, depending on `radix`:
1612 /// * `0-9`
1613 /// * `a-z`
1614 /// * `A-Z`
1615 ///
1616 /// # Panics
1617 ///
1618 /// This function panics if `radix` is not in the range from 2 to 36.
1619 ///
1620 /// # See also
1621 /// If the string to be parsed is in base 10 (decimal),
1622 /// [`from_str`] or [`str::parse`] can also be used.
1623 ///
1624 // FIXME(#122566): These HTML links work around a rustdoc-json test failure.
1625 /// [`from_str`]: #method.from_str
1626 /// [`str::parse`]: primitive.str.html#method.parse
1627 ///
1628 /// # Examples
1629 ///
1630 /// ```
1631 #[doc = concat!("assert_eq!(", stringify!($int_ty), "::from_str_radix(\"A\", 16), Ok(10));")]
1632 /// ```
1633 /// Trailing space returns error:
1634 /// ```
1635 #[doc = concat!("assert!(", stringify!($int_ty), "::from_str_radix(\"1 \", 10).is_err());")]
1636 /// ```
1637 #[stable(feature = "rust1", since = "1.0.0")]
1638 #[rustc_const_stable(feature = "const_int_from_str", since = "1.82.0")]
1639 #[inline]
1640 #[ferrocene::prevalidated]
1641 pub const fn from_str_radix(src: &str, radix: u32) -> Result<$int_ty, ParseIntError> {
1642 <$int_ty>::from_ascii_radix(src.as_bytes(), radix)
1643 }
1644
1645 /// Parses an integer from an ASCII-byte slice with decimal digits.
1646 ///
1647 /// The characters are expected to be an optional
1648 #[doc = sign_dependent_expr!{
1649 $signedness ?
1650 if signed {
1651 " `+` or `-` "
1652 }
1653 if unsigned {
1654 " `+` "
1655 }
1656 }]
1657 /// sign followed by only digits. Leading and trailing non-digit characters (including
1658 /// whitespace) represent an error. Underscores (which are accepted in Rust literals)
1659 /// also represent an error.
1660 ///
1661 /// # Examples
1662 ///
1663 /// ```
1664 /// #![feature(int_from_ascii)]
1665 ///
1666 #[doc = concat!("assert_eq!(", stringify!($int_ty), "::from_ascii(b\"+10\"), Ok(10));")]
1667 /// ```
1668 /// Trailing space returns error:
1669 /// ```
1670 /// # #![feature(int_from_ascii)]
1671 /// #
1672 #[doc = concat!("assert!(", stringify!($int_ty), "::from_ascii(b\"1 \").is_err());")]
1673 /// ```
1674 #[unstable(feature = "int_from_ascii", issue = "134821")]
1675 #[inline]
1676 pub const fn from_ascii(src: &[u8]) -> Result<$int_ty, ParseIntError> {
1677 <$int_ty>::from_ascii_radix(src, 10)
1678 }
1679
1680 /// Parses an integer from an ASCII-byte slice with digits in a given base.
1681 ///
1682 /// The characters are expected to be an optional
1683 #[doc = sign_dependent_expr!{
1684 $signedness ?
1685 if signed {
1686 " `+` or `-` "
1687 }
1688 if unsigned {
1689 " `+` "
1690 }
1691 }]
1692 /// sign followed by only digits. Leading and trailing non-digit characters (including
1693 /// whitespace) represent an error. Underscores (which are accepted in Rust literals)
1694 /// also represent an error.
1695 ///
1696 /// Digits are a subset of these characters, depending on `radix`:
1697 /// * `0-9`
1698 /// * `a-z`
1699 /// * `A-Z`
1700 ///
1701 /// # Panics
1702 ///
1703 /// This function panics if `radix` is not in the range from 2 to 36.
1704 ///
1705 /// # Examples
1706 ///
1707 /// ```
1708 /// #![feature(int_from_ascii)]
1709 ///
1710 #[doc = concat!("assert_eq!(", stringify!($int_ty), "::from_ascii_radix(b\"A\", 16), Ok(10));")]
1711 /// ```
1712 /// Trailing space returns error:
1713 /// ```
1714 /// # #![feature(int_from_ascii)]
1715 /// #
1716 #[doc = concat!("assert!(", stringify!($int_ty), "::from_ascii_radix(b\"1 \", 10).is_err());")]
1717 /// ```
1718 #[unstable(feature = "int_from_ascii", issue = "134821")]
1719 #[inline]
1720 #[ferrocene::prevalidated]
1721 pub const fn from_ascii_radix(src: &[u8], radix: u32) -> Result<$int_ty, ParseIntError> {
1722 use self::IntErrorKind::*;
1723 use self::ParseIntError as PIE;
1724
1725 if 2 > radix || radix > 36 {
1726 from_ascii_radix_panic(radix);
1727 }
1728
1729 if src.is_empty() {
1730 return Err(PIE { kind: Empty });
1731 }
1732
1733 #[allow(unused_comparisons)]
1734 let is_signed_ty = 0 > <$int_ty>::MIN;
1735
1736 let (is_positive, mut digits) = match src {
1737 [b'+' | b'-'] => {
1738 return Err(PIE { kind: InvalidDigit });
1739 }
1740 [b'+', rest @ ..] => (true, rest),
1741 [b'-', rest @ ..] if is_signed_ty => (false, rest),
1742 _ => (true, src),
1743 };
1744
1745 let mut result = 0;
1746
1747 macro_rules! unwrap_or_PIE {
1748 ($option:expr, $kind:ident) => {
1749 match $option {
1750 Some(value) => value,
1751 None => return Err(PIE { kind: $kind }),
1752 }
1753 };
1754 }
1755
1756 if can_not_overflow::<$int_ty>(radix, is_signed_ty, digits) {
1757 // If the len of the str is short compared to the range of the type
1758 // we are parsing into, then we can be certain that an overflow will not occur.
1759 // This bound is when `radix.pow(digits.len()) - 1 <= T::MAX` but the condition
1760 // above is a faster (conservative) approximation of this.
1761 //
1762 // Consider radix 16 as it has the highest information density per digit and will thus overflow the earliest:
1763 // `u8::MAX` is `ff` - any str of len 2 is guaranteed to not overflow.
1764 // `i8::MAX` is `7f` - only a str of len 1 is guaranteed to not overflow.
1765 macro_rules! run_unchecked_loop {
1766 ($unchecked_additive_op:tt) => {{
1767 while let [c, rest @ ..] = digits {
1768 result = result * (radix as $int_ty);
1769 let x = unwrap_or_PIE!((*c as char).to_digit(radix), InvalidDigit);
1770 result = result $unchecked_additive_op (x as $int_ty);
1771 digits = rest;
1772 }
1773 }};
1774 }
1775 if is_positive {
1776 run_unchecked_loop!(+)
1777 } else {
1778 run_unchecked_loop!(-)
1779 };
1780 } else {
1781 macro_rules! run_checked_loop {
1782 ($checked_additive_op:ident, $overflow_err:ident) => {{
1783 while let [c, rest @ ..] = digits {
1784 // When `radix` is passed in as a literal, rather than doing a slow `imul`
1785 // the compiler can use shifts if `radix` can be expressed as a
1786 // sum of powers of 2 (x*10 can be written as x*8 + x*2).
1787 // When the compiler can't use these optimisations,
1788 // the latency of the multiplication can be hidden by issuing it
1789 // before the result is needed to improve performance on
1790 // modern out-of-order CPU as multiplication here is slower
1791 // than the other instructions, we can get the end result faster
1792 // doing multiplication first and let the CPU spends other cycles
1793 // doing other computation and get multiplication result later.
1794 let mul = result.checked_mul(radix as $int_ty);
1795 let x = unwrap_or_PIE!((*c as char).to_digit(radix), InvalidDigit) as $int_ty;
1796 result = unwrap_or_PIE!(mul, $overflow_err);
1797 result = unwrap_or_PIE!(<$int_ty>::$checked_additive_op(result, x), $overflow_err);
1798 digits = rest;
1799 }
1800 }};
1801 }
1802 if is_positive {
1803 run_checked_loop!(checked_add, PosOverflow)
1804 } else {
1805 run_checked_loop!(checked_sub, NegOverflow)
1806 };
1807 }
1808 Ok(result)
1809 }
1810 }
1811 )*}
1812}
1813
1814from_str_int_impl! { signed isize i8 i16 i32 i64 i128 }
1815from_str_int_impl! { unsigned usize u8 u16 u32 u64 u128 }
1816
1817macro_rules! impl_sealed {
1818 ($($t:ty)*) => {$(
1819 /// Allows extension traits within `core`.
1820 #[unstable(feature = "sealed", issue = "none")]
1821 impl crate::sealed::Sealed for $t {}
1822 )*}
1823}
1824impl_sealed! { isize i8 i16 i32 i64 i128 usize u8 u16 u32 u64 u128 }