xref: /linux/rust/kernel/num/bounded.rs (revision 26ff969926a08eee069767ddbbbc301adbcd9676)
1 // SPDX-License-Identifier: GPL-2.0
2 
3 //! Implementation of [`Bounded`], a wrapper around integer types limiting the number of bits
4 //! usable for value representation.
5 
6 use core::{
7     cmp,
8     fmt,
9     ops::{
10         self,
11         Deref, //
12     }, //,
13 };
14 
15 use kernel::{
16     num::Integer,
17     prelude::*, //
18 };
19 
20 /// Evaluates to `true` if `$value` can be represented using at most `$n` bits in a `$type`.
21 ///
22 /// `expr` must be of type `type`, or the result will be incorrect.
23 ///
24 /// Can be used in const context.
25 macro_rules! fits_within {
26     ($value:expr, $type:ty, $n:expr) => {{
27         let shift: u32 = <$type>::BITS - $n;
28 
29         // `value` fits within `$n` bits if shifting it left by the number of unused bits, then
30         // right by the same number, doesn't change it.
31         //
32         // This method has the benefit of working for both unsigned and signed values.
33         ($value << shift) >> shift == $value
34     }};
35 }
36 
37 /// Returns `true` if `value` can be represented with at most `N` bits in a `T`.
38 #[inline(always)]
fits_within<T: Integer>(value: T, num_bits: u32) -> bool39 fn fits_within<T: Integer>(value: T, num_bits: u32) -> bool {
40     fits_within!(value, T, num_bits)
41 }
42 
43 /// An integer value that requires only the `N` least significant bits of the wrapped type to be
44 /// encoded.
45 ///
46 /// This limits the number of usable bits in the wrapped integer type, and thus the stored value to
47 /// a narrower range, which provides guarantees that can be useful when working within e.g.
48 /// bitfields.
49 ///
50 /// # Invariants
51 ///
52 /// - `N` is greater than `0`.
53 /// - `N` is less than or equal to `T::BITS`.
54 /// - Stored values can be represented with at most `N` bits.
55 ///
56 /// # Examples
57 ///
58 /// The preferred way to create values is through constants and the [`Bounded::new`] family of
59 /// constructors, as they trigger a build error if the type invariants cannot be upheld.
60 ///
61 /// ```
62 /// use kernel::num::Bounded;
63 ///
64 /// // An unsigned 8-bit integer, of which only the 4 LSBs are used.
65 /// // The value `15` is statically validated to fit that constraint at build time.
66 /// let v = Bounded::<u8, 4>::new::<15>();
67 /// assert_eq!(v.get(), 15);
68 ///
69 /// // Same using signed values.
70 /// let v = Bounded::<i8, 4>::new::<-8>();
71 /// assert_eq!(v.get(), -8);
72 ///
73 /// // This doesn't build: a `u8` is smaller than the requested 9 bits.
74 /// // let _ = Bounded::<u8, 9>::new::<10>();
75 ///
76 /// // This also doesn't build: the requested value doesn't fit within 4 signed bits.
77 /// // let _ = Bounded::<i8, 4>::new::<8>();
78 /// ```
79 ///
80 /// Values can also be validated at runtime with [`Bounded::try_new`].
81 ///
82 /// ```
83 /// use kernel::num::Bounded;
84 ///
85 /// // This succeeds because `15` can be represented with 4 unsigned bits.
86 /// assert!(Bounded::<u8, 4>::try_new(15).is_some());
87 ///
88 /// // This fails because `16` cannot be represented with 4 unsigned bits.
89 /// assert!(Bounded::<u8, 4>::try_new(16).is_none());
90 /// ```
91 ///
92 /// Non-constant expressions can be validated at build-time thanks to compiler optimizations. This
93 /// should be used with caution, on simple expressions only.
94 ///
95 /// ```
96 /// use kernel::num::Bounded;
97 /// # fn some_number() -> u32 { 0xffffffff }
98 ///
99 /// // Here the compiler can infer from the mask that the type invariants are not violated, even
100 /// // though the value returned by `some_number` is not statically known.
101 /// let v = Bounded::<u32, 4>::from_expr(some_number() & 0xf);
102 /// ```
103 ///
104 /// Comparison and arithmetic operations are supported on [`Bounded`]s with a compatible backing
105 /// type, regardless of their number of valid bits.
106 ///
107 /// ```
108 /// use kernel::num::Bounded;
109 ///
110 /// let v1 = Bounded::<u32, 8>::new::<4>();
111 /// let v2 = Bounded::<u32, 4>::new::<15>();
112 ///
113 /// assert!(v1 != v2);
114 /// assert!(v1 < v2);
115 /// assert_eq!(v1 + v2, 19);
116 /// assert_eq!(v2 % v1, 3);
117 /// ```
118 ///
119 /// These operations are also supported between a [`Bounded`] and its backing type.
120 ///
121 /// ```
122 /// use kernel::num::Bounded;
123 ///
124 /// let v = Bounded::<u8, 4>::new::<15>();
125 ///
126 /// assert!(v == 15);
127 /// assert!(v > 12);
128 /// assert_eq!(v + 5, 20);
129 /// assert_eq!(v / 3, 5);
130 /// ```
131 ///
132 /// A change of backing types is possible using [`Bounded::cast`], and the number of valid bits can
133 /// be extended or reduced with [`Bounded::extend`] and [`Bounded::try_shrink`].
134 ///
135 /// ```
136 /// use kernel::num::Bounded;
137 ///
138 /// let v = Bounded::<u32, 12>::new::<127>();
139 ///
140 /// // Changes backing type from `u32` to `u16`.
141 /// let _: Bounded<u16, 12> = v.cast();
142 ///
143 /// // This does not build, as `u8` is smaller than 12 bits.
144 /// // let _: Bounded<u8, 12> = v.cast();
145 ///
146 /// // We can safely extend the number of bits...
147 /// let _ = v.extend::<15>();
148 ///
149 /// // ... to the limits of the backing type. This doesn't build as a `u32` cannot contain 33 bits.
150 /// // let _ = v.extend::<33>();
151 ///
152 /// // Reducing the number of bits is validated at runtime. This works because `127` can be
153 /// // represented with 8 bits.
154 /// assert!(v.try_shrink::<8>().is_some());
155 ///
156 /// // ... but not with 6, so this fails.
157 /// assert!(v.try_shrink::<6>().is_none());
158 /// ```
159 ///
160 /// Infallible conversions from a primitive integer to a large-enough [`Bounded`] are supported.
161 ///
162 /// ```
163 /// use kernel::num::Bounded;
164 ///
165 /// // This unsigned `Bounded` has 8 bits, so it can represent any `u8`.
166 /// let v = Bounded::<u32, 8>::from(128u8);
167 /// assert_eq!(v.get(), 128);
168 ///
169 /// // This signed `Bounded` has 8 bits, so it can represent any `i8`.
170 /// let v = Bounded::<i32, 8>::from(-128i8);
171 /// assert_eq!(v.get(), -128);
172 ///
173 /// // This doesn't build, as this 6-bit `Bounded` does not have enough capacity to represent a
174 /// // `u8` (regardless of the passed value).
175 /// // let _ = Bounded::<u32, 6>::from(10u8);
176 ///
177 /// // Booleans can be converted into single-bit `Bounded`s.
178 ///
179 /// let v = Bounded::<u64, 1>::from(false);
180 /// assert_eq!(v.get(), 0);
181 ///
182 /// let v = Bounded::<u64, 1>::from(true);
183 /// assert_eq!(v.get(), 1);
184 /// ```
185 ///
186 /// Infallible conversions from a [`Bounded`] to a primitive integer are also supported, and
187 /// dependent on the number of bits used for value representation, not on the backing type.
188 ///
189 /// ```
190 /// use kernel::num::Bounded;
191 ///
192 /// // Even though its backing type is `u32`, this `Bounded` only uses 6 bits and thus can safely
193 /// // be converted to a `u8`.
194 /// let v = Bounded::<u32, 6>::new::<63>();
195 /// assert_eq!(u8::from(v), 63);
196 ///
197 /// // Same using signed values.
198 /// let v = Bounded::<i32, 8>::new::<-128>();
199 /// assert_eq!(i8::from(v), -128);
200 ///
201 /// // This however does not build, as 10 bits won't fit into a `u8` (regardless of the actually
202 /// // contained value).
203 /// let _v = Bounded::<u32, 10>::new::<10>();
204 /// // assert_eq!(u8::from(_v), 10);
205 ///
206 /// // Single-bit `Bounded`s can be converted into a boolean.
207 /// let v = Bounded::<u8, 1>::new::<1>();
208 /// assert_eq!(bool::from(v), true);
209 ///
210 /// let v = Bounded::<u8, 1>::new::<0>();
211 /// assert_eq!(bool::from(v), false);
212 /// ```
213 ///
214 /// Fallible conversions from any primitive integer to any [`Bounded`] are also supported using the
215 /// [`TryIntoBounded`] trait.
216 ///
217 /// ```
218 /// use kernel::num::{Bounded, TryIntoBounded};
219 ///
220 /// // Succeeds because `128` fits into 8 bits.
221 /// let v: Option<Bounded<u16, 8>> = 128u32.try_into_bounded();
222 /// assert_eq!(v.as_deref().copied(), Some(128));
223 ///
224 /// // Fails because `128` doesn't fit into 6 bits.
225 /// let v: Option<Bounded<u16, 6>> = 128u32.try_into_bounded();
226 /// assert_eq!(v, None);
227 /// ```
228 #[repr(transparent)]
229 #[derive(Clone, Copy, Debug, Default, Hash)]
230 pub struct Bounded<T: Integer, const N: u32>(T);
231 
232 /// Validating the value as a const expression cannot be done as a regular method, as the
233 /// arithmetic operations we rely on to check the bounds are not const. Thus, implement
234 /// [`Bounded::new`] using a macro.
235 macro_rules! impl_const_new {
236     ($($type:ty)*) => {
237         $(
238         impl<const N: u32> Bounded<$type, N> {
239             /// Creates a [`Bounded`] for the constant `VALUE`.
240             ///
241             /// Fails at build time if `VALUE` cannot be represented with `N` bits.
242             ///
243             /// This method should be preferred to [`Self::from_expr`] whenever possible.
244             ///
245             /// # Examples
246             ///
247             /// ```
248             /// use kernel::num::Bounded;
249             ///
250             #[doc = ::core::concat!(
251                 "let v = Bounded::<",
252                 ::core::stringify!($type),
253                 ", 4>::new::<7>();")]
254             /// assert_eq!(v.get(), 7);
255             /// ```
256             pub const fn new<const VALUE: $type>() -> Self {
257                 // Statically assert that `VALUE` fits within the set number of bits.
258                 const_assert!(fits_within!(VALUE, $type, N));
259 
260                 // SAFETY: `fits_within` confirmed that `VALUE` can be represented within
261                 // `N` bits.
262                 unsafe { Self::__new(VALUE) }
263             }
264         }
265         )*
266     };
267 }
268 
269 impl_const_new!(
270     u8 u16 u32 u64 usize
271     i8 i16 i32 i64 isize
272 );
273 
274 impl<T, const N: u32> Bounded<T, N>
275 where
276     T: Integer,
277 {
278     /// Private constructor enforcing the type invariants.
279     ///
280     /// All instances of [`Bounded`] must be created through this method as it enforces most of the
281     /// type invariants.
282     ///
283     /// # Safety
284     ///
285     /// The caller must ensure that `value` can be represented within `N` bits.
__new(value: T) -> Self286     const unsafe fn __new(value: T) -> Self {
287         // Enforce the type invariants.
288         // `N` cannot be zero.
289         const_assert!(N != 0);
290         // The backing type is at least as large as `N` bits.
291         const_assert!(N <= T::BITS);
292 
293         // INVARIANT: The caller ensures `value` fits within `N` bits.
294         Self(value)
295     }
296 
297     /// Attempts to turn `value` into a `Bounded` using `N` bits.
298     ///
299     /// Returns [`None`] if `value` doesn't fit within `N` bits.
300     ///
301     /// # Examples
302     ///
303     /// ```
304     /// use kernel::num::Bounded;
305     ///
306     /// let v = Bounded::<u8, 1>::try_new(1);
307     /// assert_eq!(v.as_deref().copied(), Some(1));
308     ///
309     /// let v = Bounded::<i8, 4>::try_new(-2);
310     /// assert_eq!(v.as_deref().copied(), Some(-2));
311     ///
312     /// // `0x1ff` doesn't fit into 8 unsigned bits.
313     /// let v = Bounded::<u32, 8>::try_new(0x1ff);
314     /// assert_eq!(v, None);
315     ///
316     /// // The range of values representable with 4 bits is `[-8..=7]`. The following tests these
317     /// // limits.
318     /// let v = Bounded::<i8, 4>::try_new(-8);
319     /// assert_eq!(v.map(Bounded::get), Some(-8));
320     /// let v = Bounded::<i8, 4>::try_new(-9);
321     /// assert_eq!(v, None);
322     /// let v = Bounded::<i8, 4>::try_new(7);
323     /// assert_eq!(v.map(Bounded::get), Some(7));
324     /// let v = Bounded::<i8, 4>::try_new(8);
325     /// assert_eq!(v, None);
326     /// ```
try_new(value: T) -> Option<Self>327     pub fn try_new(value: T) -> Option<Self> {
328         fits_within(value, N).then(|| {
329             // SAFETY: `fits_within` confirmed that `value` can be represented within `N` bits.
330             unsafe { Self::__new(value) }
331         })
332     }
333 
334     /// Checks that `expr` is valid for this type at compile-time and build a new value.
335     ///
336     /// This relies on [`build_assert!`] and guaranteed optimization to perform validation at
337     /// compile-time. If `expr` cannot be proved to be within the requested bounds at compile-time,
338     /// use the fallible [`Self::try_new`] instead.
339     ///
340     /// Limit this to simple, easily provable expressions, and prefer one of the [`Self::new`]
341     /// constructors whenever possible as they statically validate the value instead of relying on
342     /// compiler optimizations.
343     ///
344     /// # Examples
345     ///
346     /// ```
347     /// use kernel::num::Bounded;
348     /// # fn some_number() -> u32 { 0xffffffff }
349     ///
350     /// // Some undefined number.
351     /// let v: u32 = some_number();
352     ///
353     /// // Triggers a build error as `v` cannot be asserted to fit within 4 bits...
354     /// // let _ = Bounded::<u32, 4>::from_expr(v);
355     ///
356     /// // ... but this works as the compiler can assert the range from the mask.
357     /// let _ = Bounded::<u32, 4>::from_expr(v & 0xf);
358     ///
359     /// // These expressions are simple enough to be proven correct, but since they are static the
360     /// // `new` constructor should be preferred.
361     /// assert_eq!(Bounded::<u8, 1>::from_expr(1).get(), 1);
362     /// assert_eq!(Bounded::<u16, 8>::from_expr(0xff).get(), 0xff);
363     /// ```
364     // Always inline to optimize out error path of `build_assert`.
365     #[inline(always)]
from_expr(expr: T) -> Self366     pub fn from_expr(expr: T) -> Self {
367         crate::build_assert!(
368             fits_within(expr, N),
369             "Requested value larger than maximal representable value."
370         );
371 
372         // SAFETY: `fits_within` confirmed that `expr` can be represented within `N` bits.
373         unsafe { Self::__new(expr) }
374     }
375 
376     /// Returns the wrapped value as the backing type.
377     ///
378     /// # Examples
379     ///
380     /// ```
381     /// use kernel::num::Bounded;
382     ///
383     /// let v = Bounded::<u32, 4>::new::<7>();
384     /// assert_eq!(v.get(), 7u32);
385     /// ```
get(self) -> T386     pub fn get(self) -> T {
387         *self.deref()
388     }
389 
390     /// Increases the number of bits usable for `self`.
391     ///
392     /// This operation cannot fail.
393     ///
394     /// # Examples
395     ///
396     /// ```
397     /// use kernel::num::Bounded;
398     ///
399     /// let v = Bounded::<u32, 4>::new::<7>();
400     /// let larger_v = v.extend::<12>();
401     /// // The contained values are equal even though `larger_v` has a bigger capacity.
402     /// assert_eq!(larger_v, v);
403     /// ```
extend<const M: u32>(self) -> Bounded<T, M>404     pub const fn extend<const M: u32>(self) -> Bounded<T, M> {
405         const_assert!(
406             M >= N,
407             "Requested number of bits is less than the current representation."
408         );
409 
410         // SAFETY: The value did fit within `N` bits, so it will all the more fit within
411         // the larger `M` bits.
412         unsafe { Bounded::__new(self.0) }
413     }
414 
415     /// Attempts to shrink the number of bits usable for `self`.
416     ///
417     /// Returns [`None`] if the value of `self` cannot be represented within `M` bits.
418     ///
419     /// # Examples
420     ///
421     /// ```
422     /// use kernel::num::Bounded;
423     ///
424     /// let v = Bounded::<u32, 12>::new::<7>();
425     ///
426     /// // `7` can be represented using 3 unsigned bits...
427     /// let smaller_v = v.try_shrink::<3>();
428     /// assert_eq!(smaller_v.as_deref().copied(), Some(7));
429     ///
430     /// // ... but doesn't fit within `2` bits.
431     /// assert_eq!(v.try_shrink::<2>(), None);
432     /// ```
try_shrink<const M: u32>(self) -> Option<Bounded<T, M>>433     pub fn try_shrink<const M: u32>(self) -> Option<Bounded<T, M>> {
434         Bounded::<T, M>::try_new(self.get())
435     }
436 
437     /// Casts `self` into a [`Bounded`] backed by a different storage type, but using the same
438     /// number of valid bits.
439     ///
440     /// Both `T` and `U` must be of same signedness, and `U` must be at least as large as
441     /// `N` bits, or a build error will occur.
442     ///
443     /// # Examples
444     ///
445     /// ```
446     /// use kernel::num::Bounded;
447     ///
448     /// let v = Bounded::<u32, 12>::new::<127>();
449     ///
450     /// let u16_v: Bounded<u16, 12> = v.cast();
451     /// assert_eq!(u16_v.get(), 127);
452     ///
453     /// // This won't build: a `u8` is smaller than the required 12 bits.
454     /// // let _: Bounded<u8, 12> = v.cast();
455     /// ```
cast<U>(self) -> Bounded<U, N> where U: TryFrom<T> + Integer, T: Integer, U: Integer<Signedness = T::Signedness>,456     pub fn cast<U>(self) -> Bounded<U, N>
457     where
458         U: TryFrom<T> + Integer,
459         T: Integer,
460         U: Integer<Signedness = T::Signedness>,
461     {
462         // SAFETY: The converted value is represented using `N` bits, `U` can contain `N` bits, and
463         // `U` and `T` have the same sign, hence this conversion cannot fail.
464         let value = unsafe { U::try_from(self.get()).unwrap_unchecked() };
465 
466         // SAFETY: Although the backing type has changed, the value is still represented within
467         // `N` bits, and with the same signedness.
468         unsafe { Bounded::__new(value) }
469     }
470 }
471 
472 impl<T, const N: u32> Deref for Bounded<T, N>
473 where
474     T: Integer,
475 {
476     type Target = T;
477 
deref(&self) -> &Self::Target478     fn deref(&self) -> &Self::Target {
479         // Enforce the invariant to inform the compiler of the bounds of the value.
480         if !fits_within(self.0, N) {
481             // SAFETY: Per the `Bounded` invariants, `fits_within` can never return `false` on the
482             // value of a valid instance.
483             unsafe { core::hint::unreachable_unchecked() }
484         }
485 
486         &self.0
487     }
488 }
489 
490 /// Trait similar to [`TryInto`] but for [`Bounded`], to avoid conflicting implementations.
491 ///
492 /// # Examples
493 ///
494 /// ```
495 /// use kernel::num::{Bounded, TryIntoBounded};
496 ///
497 /// // Succeeds because `128` fits into 8 bits.
498 /// let v: Option<Bounded<u16, 8>> = 128u32.try_into_bounded();
499 /// assert_eq!(v.as_deref().copied(), Some(128));
500 ///
501 /// // Fails because `128` doesn't fit into 6 bits.
502 /// let v: Option<Bounded<u16, 6>> = 128u32.try_into_bounded();
503 /// assert_eq!(v, None);
504 /// ```
505 pub trait TryIntoBounded<T: Integer, const N: u32> {
506     /// Attempts to convert `self` into a [`Bounded`] using `N` bits.
507     ///
508     /// Returns [`None`] if `self` does not fit into the target type.
try_into_bounded(self) -> Option<Bounded<T, N>>509     fn try_into_bounded(self) -> Option<Bounded<T, N>>;
510 }
511 
512 /// Any integer value can be attempted to be converted into a [`Bounded`] of any size.
513 impl<T, U, const N: u32> TryIntoBounded<T, N> for U
514 where
515     T: Integer,
516     U: TryInto<T>,
517 {
try_into_bounded(self) -> Option<Bounded<T, N>>518     fn try_into_bounded(self) -> Option<Bounded<T, N>> {
519         self.try_into().ok().and_then(Bounded::try_new)
520     }
521 }
522 
523 // Comparisons between `Bounded`s.
524 
525 impl<T, U, const N: u32, const M: u32> PartialEq<Bounded<U, M>> for Bounded<T, N>
526 where
527     T: Integer,
528     U: Integer,
529     T: PartialEq<U>,
530 {
eq(&self, other: &Bounded<U, M>) -> bool531     fn eq(&self, other: &Bounded<U, M>) -> bool {
532         self.get() == other.get()
533     }
534 }
535 
536 impl<T, const N: u32> Eq for Bounded<T, N> where T: Integer {}
537 
538 impl<T, U, const N: u32, const M: u32> PartialOrd<Bounded<U, M>> for Bounded<T, N>
539 where
540     T: Integer,
541     U: Integer,
542     T: PartialOrd<U>,
543 {
partial_cmp(&self, other: &Bounded<U, M>) -> Option<cmp::Ordering>544     fn partial_cmp(&self, other: &Bounded<U, M>) -> Option<cmp::Ordering> {
545         self.get().partial_cmp(&other.get())
546     }
547 }
548 
549 impl<T, const N: u32> Ord for Bounded<T, N>
550 where
551     T: Integer,
552     T: Ord,
553 {
cmp(&self, other: &Self) -> cmp::Ordering554     fn cmp(&self, other: &Self) -> cmp::Ordering {
555         self.get().cmp(&other.get())
556     }
557 }
558 
559 // Comparisons between a `Bounded` and its backing type.
560 
561 impl<T, const N: u32> PartialEq<T> for Bounded<T, N>
562 where
563     T: Integer,
564     T: PartialEq,
565 {
eq(&self, other: &T) -> bool566     fn eq(&self, other: &T) -> bool {
567         self.get() == *other
568     }
569 }
570 
571 impl<T, const N: u32> PartialOrd<T> for Bounded<T, N>
572 where
573     T: Integer,
574     T: PartialOrd,
575 {
partial_cmp(&self, other: &T) -> Option<cmp::Ordering>576     fn partial_cmp(&self, other: &T) -> Option<cmp::Ordering> {
577         self.get().partial_cmp(other)
578     }
579 }
580 
581 // Implementations of `core::ops` for two `Bounded` with the same backing type.
582 
583 impl<T, const N: u32, const M: u32> ops::Add<Bounded<T, M>> for Bounded<T, N>
584 where
585     T: Integer,
586     T: ops::Add<Output = T>,
587 {
588     type Output = T;
589 
add(self, rhs: Bounded<T, M>) -> Self::Output590     fn add(self, rhs: Bounded<T, M>) -> Self::Output {
591         self.get() + rhs.get()
592     }
593 }
594 
595 impl<T, const N: u32, const M: u32> ops::BitAnd<Bounded<T, M>> for Bounded<T, N>
596 where
597     T: Integer,
598     T: ops::BitAnd<Output = T>,
599 {
600     type Output = T;
601 
bitand(self, rhs: Bounded<T, M>) -> Self::Output602     fn bitand(self, rhs: Bounded<T, M>) -> Self::Output {
603         self.get() & rhs.get()
604     }
605 }
606 
607 impl<T, const N: u32, const M: u32> ops::BitOr<Bounded<T, M>> for Bounded<T, N>
608 where
609     T: Integer,
610     T: ops::BitOr<Output = T>,
611 {
612     type Output = T;
613 
bitor(self, rhs: Bounded<T, M>) -> Self::Output614     fn bitor(self, rhs: Bounded<T, M>) -> Self::Output {
615         self.get() | rhs.get()
616     }
617 }
618 
619 impl<T, const N: u32, const M: u32> ops::BitXor<Bounded<T, M>> for Bounded<T, N>
620 where
621     T: Integer,
622     T: ops::BitXor<Output = T>,
623 {
624     type Output = T;
625 
bitxor(self, rhs: Bounded<T, M>) -> Self::Output626     fn bitxor(self, rhs: Bounded<T, M>) -> Self::Output {
627         self.get() ^ rhs.get()
628     }
629 }
630 
631 impl<T, const N: u32, const M: u32> ops::Div<Bounded<T, M>> for Bounded<T, N>
632 where
633     T: Integer,
634     T: ops::Div<Output = T>,
635 {
636     type Output = T;
637 
div(self, rhs: Bounded<T, M>) -> Self::Output638     fn div(self, rhs: Bounded<T, M>) -> Self::Output {
639         self.get() / rhs.get()
640     }
641 }
642 
643 impl<T, const N: u32, const M: u32> ops::Mul<Bounded<T, M>> for Bounded<T, N>
644 where
645     T: Integer,
646     T: ops::Mul<Output = T>,
647 {
648     type Output = T;
649 
mul(self, rhs: Bounded<T, M>) -> Self::Output650     fn mul(self, rhs: Bounded<T, M>) -> Self::Output {
651         self.get() * rhs.get()
652     }
653 }
654 
655 impl<T, const N: u32, const M: u32> ops::Rem<Bounded<T, M>> for Bounded<T, N>
656 where
657     T: Integer,
658     T: ops::Rem<Output = T>,
659 {
660     type Output = T;
661 
rem(self, rhs: Bounded<T, M>) -> Self::Output662     fn rem(self, rhs: Bounded<T, M>) -> Self::Output {
663         self.get() % rhs.get()
664     }
665 }
666 
667 impl<T, const N: u32, const M: u32> ops::Sub<Bounded<T, M>> for Bounded<T, N>
668 where
669     T: Integer,
670     T: ops::Sub<Output = T>,
671 {
672     type Output = T;
673 
sub(self, rhs: Bounded<T, M>) -> Self::Output674     fn sub(self, rhs: Bounded<T, M>) -> Self::Output {
675         self.get() - rhs.get()
676     }
677 }
678 
679 // Implementations of `core::ops` between a `Bounded` and its backing type.
680 
681 impl<T, const N: u32> ops::Add<T> for Bounded<T, N>
682 where
683     T: Integer,
684     T: ops::Add<Output = T>,
685 {
686     type Output = T;
687 
add(self, rhs: T) -> Self::Output688     fn add(self, rhs: T) -> Self::Output {
689         self.get() + rhs
690     }
691 }
692 
693 impl<T, const N: u32> ops::BitAnd<T> for Bounded<T, N>
694 where
695     T: Integer,
696     T: ops::BitAnd<Output = T>,
697 {
698     type Output = T;
699 
bitand(self, rhs: T) -> Self::Output700     fn bitand(self, rhs: T) -> Self::Output {
701         self.get() & rhs
702     }
703 }
704 
705 impl<T, const N: u32> ops::BitOr<T> for Bounded<T, N>
706 where
707     T: Integer,
708     T: ops::BitOr<Output = T>,
709 {
710     type Output = T;
711 
bitor(self, rhs: T) -> Self::Output712     fn bitor(self, rhs: T) -> Self::Output {
713         self.get() | rhs
714     }
715 }
716 
717 impl<T, const N: u32> ops::BitXor<T> for Bounded<T, N>
718 where
719     T: Integer,
720     T: ops::BitXor<Output = T>,
721 {
722     type Output = T;
723 
bitxor(self, rhs: T) -> Self::Output724     fn bitxor(self, rhs: T) -> Self::Output {
725         self.get() ^ rhs
726     }
727 }
728 
729 impl<T, const N: u32> ops::Div<T> for Bounded<T, N>
730 where
731     T: Integer,
732     T: ops::Div<Output = T>,
733 {
734     type Output = T;
735 
div(self, rhs: T) -> Self::Output736     fn div(self, rhs: T) -> Self::Output {
737         self.get() / rhs
738     }
739 }
740 
741 impl<T, const N: u32> ops::Mul<T> for Bounded<T, N>
742 where
743     T: Integer,
744     T: ops::Mul<Output = T>,
745 {
746     type Output = T;
747 
mul(self, rhs: T) -> Self::Output748     fn mul(self, rhs: T) -> Self::Output {
749         self.get() * rhs
750     }
751 }
752 
753 impl<T, const N: u32> ops::Neg for Bounded<T, N>
754 where
755     T: Integer,
756     T: ops::Neg<Output = T>,
757 {
758     type Output = T;
759 
neg(self) -> Self::Output760     fn neg(self) -> Self::Output {
761         -self.get()
762     }
763 }
764 
765 impl<T, const N: u32> ops::Not for Bounded<T, N>
766 where
767     T: Integer,
768     T: ops::Not<Output = T>,
769 {
770     type Output = T;
771 
not(self) -> Self::Output772     fn not(self) -> Self::Output {
773         !self.get()
774     }
775 }
776 
777 impl<T, const N: u32> ops::Rem<T> for Bounded<T, N>
778 where
779     T: Integer,
780     T: ops::Rem<Output = T>,
781 {
782     type Output = T;
783 
rem(self, rhs: T) -> Self::Output784     fn rem(self, rhs: T) -> Self::Output {
785         self.get() % rhs
786     }
787 }
788 
789 impl<T, const N: u32> ops::Sub<T> for Bounded<T, N>
790 where
791     T: Integer,
792     T: ops::Sub<Output = T>,
793 {
794     type Output = T;
795 
sub(self, rhs: T) -> Self::Output796     fn sub(self, rhs: T) -> Self::Output {
797         self.get() - rhs
798     }
799 }
800 
801 // Proxy implementations of `core::fmt`.
802 
803 impl<T, const N: u32> fmt::Display for Bounded<T, N>
804 where
805     T: Integer,
806     T: fmt::Display,
807 {
fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result808     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
809         self.get().fmt(f)
810     }
811 }
812 
813 impl<T, const N: u32> fmt::Binary for Bounded<T, N>
814 where
815     T: Integer,
816     T: fmt::Binary,
817 {
fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result818     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
819         self.get().fmt(f)
820     }
821 }
822 
823 impl<T, const N: u32> fmt::LowerExp for Bounded<T, N>
824 where
825     T: Integer,
826     T: fmt::LowerExp,
827 {
fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result828     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
829         self.get().fmt(f)
830     }
831 }
832 
833 impl<T, const N: u32> fmt::LowerHex for Bounded<T, N>
834 where
835     T: Integer,
836     T: fmt::LowerHex,
837 {
fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result838     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
839         self.get().fmt(f)
840     }
841 }
842 
843 impl<T, const N: u32> fmt::Octal for Bounded<T, N>
844 where
845     T: Integer,
846     T: fmt::Octal,
847 {
fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result848     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
849         self.get().fmt(f)
850     }
851 }
852 
853 impl<T, const N: u32> fmt::UpperExp for Bounded<T, N>
854 where
855     T: Integer,
856     T: fmt::UpperExp,
857 {
fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result858     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
859         self.get().fmt(f)
860     }
861 }
862 
863 impl<T, const N: u32> fmt::UpperHex for Bounded<T, N>
864 where
865     T: Integer,
866     T: fmt::UpperHex,
867 {
fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result868     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
869         self.get().fmt(f)
870     }
871 }
872 
873 /// Implements `$trait` for all [`Bounded`] types represented using `$num_bits`.
874 ///
875 /// This is used to declare size properties as traits that we can constrain against in impl blocks.
876 macro_rules! impl_size_rule {
877     ($trait:ty, $($num_bits:literal)*) => {
878         $(
879         impl<T> $trait for Bounded<T, $num_bits> where T: Integer {}
880         )*
881     };
882 }
883 
884 /// Local trait expressing the fact that a given [`Bounded`] has at least `N` bits used for value
885 /// representation.
886 trait AtLeastXBits<const N: usize> {}
887 
888 /// Implementations for infallibly converting a primitive type into a [`Bounded`] that can contain
889 /// it.
890 ///
891 /// Put into their own module for readability, and to avoid cluttering the rustdoc of the parent
892 /// module.
893 mod atleast_impls {
894     use super::*;
895 
896     // Number of bits at least as large as 64.
897     impl_size_rule!(AtLeastXBits<64>, 64);
898 
899     // Anything 64 bits or more is also larger than 32.
900     impl<T> AtLeastXBits<32> for T where T: AtLeastXBits<64> {}
901     // Other numbers of bits at least as large as 32.
902     impl_size_rule!(AtLeastXBits<32>,
903         32 33 34 35 36 37 38 39
904         40 41 42 43 44 45 46 47
905         48 49 50 51 52 53 54 55
906         56 57 58 59 60 61 62 63
907     );
908 
909     // Anything 32 bits or more is also larger than 16.
910     impl<T> AtLeastXBits<16> for T where T: AtLeastXBits<32> {}
911     // Other numbers of bits at least as large as 16.
912     impl_size_rule!(AtLeastXBits<16>,
913         16 17 18 19 20 21 22 23
914         24 25 26 27 28 29 30 31
915     );
916 
917     // Anything 16 bits or more is also larger than 8.
918     impl<T> AtLeastXBits<8> for T where T: AtLeastXBits<16> {}
919     // Other numbers of bits at least as large as 8.
920     impl_size_rule!(AtLeastXBits<8>, 8 9 10 11 12 13 14 15);
921 }
922 
923 /// Generates `From` implementations from a primitive type into a [`Bounded`] with
924 /// enough bits to store any value of that type.
925 ///
926 /// Note: The only reason for having this macro is that if we pass `$type` as a generic
927 /// parameter, we cannot use it in the const context of [`AtLeastXBits`]'s generic parameter. This
928 /// can be fixed once the `generic_const_exprs` feature is usable, and this macro replaced by a
929 /// regular `impl` block.
930 macro_rules! impl_from_primitive {
931     ($($type:ty)*) => {
932         $(
933         #[doc = ::core::concat!(
934             "Conversion from a [`",
935             ::core::stringify!($type),
936             "`] into a [`Bounded`] of same signedness with enough bits to store it.")]
937         impl<T, const N: u32> From<$type> for Bounded<T, N>
938         where
939             $type: Integer,
940             T: Integer<Signedness = <$type as Integer>::Signedness> + From<$type>,
941             Self: AtLeastXBits<{ <$type as Integer>::BITS as usize }>,
942         {
943             fn from(value: $type) -> Self {
944                 // SAFETY: The trait bound on `Self` guarantees that `N` bits is
945                 // enough to hold any value of the source type.
946                 unsafe { Self::__new(T::from(value)) }
947             }
948         }
949         )*
950     }
951 }
952 
953 impl_from_primitive!(
954     u8 u16 u32 u64 usize
955     i8 i16 i32 i64 isize
956 );
957 
958 /// Local trait expressing the fact that a given [`Bounded`] fits into a primitive type of `N` bits,
959 /// provided they have the same signedness.
960 trait FitsInXBits<const N: usize> {}
961 
962 /// Implementations for infallibly converting a [`Bounded`] into a primitive type that can contain
963 /// it.
964 ///
965 /// Put into their own module for readability, and to avoid cluttering the rustdoc of the parent
966 /// module.
967 mod fits_impls {
968     use super::*;
969 
970     // Number of bits that fit into a 8-bits primitive.
971     impl_size_rule!(FitsInXBits<8>, 1 2 3 4 5 6 7 8);
972 
973     // Anything that fits into 8 bits also fits into 16.
974     impl<T> FitsInXBits<16> for T where T: FitsInXBits<8> {}
975     // Other number of bits that fit into a 16-bits primitive.
976     impl_size_rule!(FitsInXBits<16>, 9 10 11 12 13 14 15 16);
977 
978     // Anything that fits into 16 bits also fits into 32.
979     impl<T> FitsInXBits<32> for T where T: FitsInXBits<16> {}
980     // Other number of bits that fit into a 32-bits primitive.
981     impl_size_rule!(FitsInXBits<32>,
982         17 18 19 20 21 22 23 24
983         25 26 27 28 29 30 31 32
984     );
985 
986     // Anything that fits into 32 bits also fits into 64.
987     impl<T> FitsInXBits<64> for T where T: FitsInXBits<32> {}
988     // Other number of bits that fit into a 64-bits primitive.
989     impl_size_rule!(FitsInXBits<64>,
990         33 34 35 36 37 38 39 40
991         41 42 43 44 45 46 47 48
992         49 50 51 52 53 54 55 56
993         57 58 59 60 61 62 63 64
994     );
995 }
996 
997 /// Generates [`From`] implementations from a [`Bounded`] into a primitive type that is
998 /// guaranteed to contain it.
999 ///
1000 /// Note: The only reason for having this macro is that if we pass `$type` as a generic
1001 /// parameter, we cannot use it in the const context of `AtLeastXBits`'s generic parameter. This
1002 /// can be fixed once the `generic_const_exprs` feature is usable, and this macro replaced by a
1003 /// regular `impl` block.
1004 macro_rules! impl_into_primitive {
1005     ($($type:ty)*) => {
1006         $(
1007         #[doc = ::core::concat!(
1008             "Conversion from a [`Bounded`] with no more bits than a [`",
1009             ::core::stringify!($type),
1010             "`] and of same signedness into [`",
1011             ::core::stringify!($type),
1012             "`]")]
1013         impl<T, const N: u32> From<Bounded<T, N>> for $type
1014         where
1015             $type: Integer + TryFrom<T>,
1016             T: Integer<Signedness = <$type as Integer>::Signedness>,
1017             Bounded<T, N>: FitsInXBits<{ <$type as Integer>::BITS as usize }>,
1018         {
1019             fn from(value: Bounded<T, N>) -> $type {
1020                 // SAFETY: The trait bound on `Bounded` ensures that any value it holds (which
1021                 // is constrained to `N` bits) can fit into the destination type, so this
1022                 // conversion cannot fail.
1023                 unsafe { <$type>::try_from(value.get()).unwrap_unchecked() }
1024             }
1025         }
1026         )*
1027     }
1028 }
1029 
1030 impl_into_primitive!(
1031     u8 u16 u32 u64 usize
1032     i8 i16 i32 i64 isize
1033 );
1034 
1035 // Single-bit `Bounded`s can be converted from/to a boolean.
1036 
1037 impl<T> From<Bounded<T, 1>> for bool
1038 where
1039     T: Integer + Zeroable,
1040 {
from(value: Bounded<T, 1>) -> Self1041     fn from(value: Bounded<T, 1>) -> Self {
1042         value.get() != Zeroable::zeroed()
1043     }
1044 }
1045 
1046 impl<T, const N: u32> From<bool> for Bounded<T, N>
1047 where
1048     T: Integer + From<bool>,
1049 {
from(value: bool) -> Self1050     fn from(value: bool) -> Self {
1051         // SAFETY: A boolean can be represented using a single bit, and thus fits within any
1052         // integer type for any `N` > 0.
1053         unsafe { Self::__new(T::from(value)) }
1054     }
1055 }
1056