xref: /linux/rust/kernel/num/bounded.rs (revision 4793dae01f47754e288cdbb3a22581cac2317f2b)
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)]
39 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.
286     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     /// ```
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)]
366     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     /// This is similar to the [`Deref`] implementation, but doesn't enforce the size invariant of
379     /// the [`Bounded`], which might produce slightly less optimal code.
380     ///
381     /// # Examples
382     ///
383     /// ```
384     /// use kernel::num::Bounded;
385     ///
386     /// let v = Bounded::<u32, 4>::new::<7>();
387     /// assert_eq!(v.get(), 7u32);
388     /// ```
389     pub const fn get(self) -> T {
390         self.0
391     }
392 
393     /// Increases the number of bits usable for `self`.
394     ///
395     /// This operation cannot fail.
396     ///
397     /// # Examples
398     ///
399     /// ```
400     /// use kernel::num::Bounded;
401     ///
402     /// let v = Bounded::<u32, 4>::new::<7>();
403     /// let larger_v = v.extend::<12>();
404     /// // The contained values are equal even though `larger_v` has a bigger capacity.
405     /// assert_eq!(larger_v, v);
406     /// ```
407     pub const fn extend<const M: u32>(self) -> Bounded<T, M> {
408         const_assert!(
409             M >= N,
410             "Requested number of bits is less than the current representation."
411         );
412 
413         // SAFETY: The value did fit within `N` bits, so it will all the more fit within
414         // the larger `M` bits.
415         unsafe { Bounded::__new(self.0) }
416     }
417 
418     /// Attempts to shrink the number of bits usable for `self`.
419     ///
420     /// Returns [`None`] if the value of `self` cannot be represented within `M` bits.
421     ///
422     /// # Examples
423     ///
424     /// ```
425     /// use kernel::num::Bounded;
426     ///
427     /// let v = Bounded::<u32, 12>::new::<7>();
428     ///
429     /// // `7` can be represented using 3 unsigned bits...
430     /// let smaller_v = v.try_shrink::<3>();
431     /// assert_eq!(smaller_v.as_deref().copied(), Some(7));
432     ///
433     /// // ... but doesn't fit within `2` bits.
434     /// assert_eq!(v.try_shrink::<2>(), None);
435     /// ```
436     pub fn try_shrink<const M: u32>(self) -> Option<Bounded<T, M>> {
437         Bounded::<T, M>::try_new(self.get())
438     }
439 
440     /// Casts `self` into a [`Bounded`] backed by a different storage type, but using the same
441     /// number of valid bits.
442     ///
443     /// Both `T` and `U` must be of same signedness, and `U` must be at least as large as
444     /// `N` bits, or a build error will occur.
445     ///
446     /// # Examples
447     ///
448     /// ```
449     /// use kernel::num::Bounded;
450     ///
451     /// let v = Bounded::<u32, 12>::new::<127>();
452     ///
453     /// let u16_v: Bounded<u16, 12> = v.cast();
454     /// assert_eq!(u16_v.get(), 127);
455     ///
456     /// // This won't build: a `u8` is smaller than the required 12 bits.
457     /// // let _: Bounded<u8, 12> = v.cast();
458     /// ```
459     pub fn cast<U>(self) -> Bounded<U, N>
460     where
461         U: TryFrom<T> + Integer,
462         T: Integer,
463         U: Integer<Signedness = T::Signedness>,
464     {
465         // SAFETY: The converted value is represented using `N` bits, `U` can contain `N` bits, and
466         // `U` and `T` have the same sign, hence this conversion cannot fail.
467         let value = unsafe { U::try_from(self.get()).unwrap_unchecked() };
468 
469         // SAFETY: Although the backing type has changed, the value is still represented within
470         // `N` bits, and with the same signedness.
471         unsafe { Bounded::__new(value) }
472     }
473 
474     /// Right-shifts `self` by `SHIFT` and returns the result as a `Bounded<_, RES>`, where `RES >=
475     /// N - SHIFT`.
476     ///
477     /// # Examples
478     ///
479     /// ```
480     /// use kernel::num::Bounded;
481     ///
482     /// let v = Bounded::<u32, 16>::new::<0xff00>();
483     /// let v_shifted: Bounded::<u32, 8> = v.shr::<8, _>();
484     ///
485     /// assert_eq!(v_shifted.get(), 0xff);
486     /// ```
487     pub fn shr<const SHIFT: u32, const RES: u32>(self) -> Bounded<T, RES> {
488         const { assert!(RES + SHIFT >= N) }
489 
490         // SAFETY: We shift the value right by `SHIFT`, reducing the number of bits needed to
491         // represent the shifted value by as much, and just asserted that `RES >= N - SHIFT`.
492         unsafe { Bounded::__new(self.0 >> SHIFT) }
493     }
494 
495     /// Left-shifts `self` by `SHIFT` and returns the result as a `Bounded<_, RES>`, where `RES >=
496     /// N + SHIFT`.
497     ///
498     /// # Examples
499     ///
500     /// ```
501     /// use kernel::num::Bounded;
502     ///
503     /// let v = Bounded::<u32, 8>::new::<0xff>();
504     /// let v_shifted: Bounded::<u32, 16> = v.shl::<8, _>();
505     ///
506     /// assert_eq!(v_shifted.get(), 0xff00);
507     /// ```
508     pub fn shl<const SHIFT: u32, const RES: u32>(self) -> Bounded<T, RES> {
509         const { assert!(RES >= N + SHIFT) }
510 
511         // SAFETY: We shift the value left by `SHIFT`, augmenting the number of bits needed to
512         // represent the shifted value by as much, and just asserted that `RES >= N + SHIFT`.
513         unsafe { Bounded::__new(self.0 << SHIFT) }
514     }
515 }
516 
517 impl<T, const N: u32> Deref for Bounded<T, N>
518 where
519     T: Integer,
520 {
521     type Target = T;
522 
523     fn deref(&self) -> &Self::Target {
524         // Enforce the invariant to inform the compiler of the bounds of the value.
525         if !fits_within(self.0, N) {
526             // SAFETY: Per the `Bounded` invariants, `fits_within` can never return `false` on the
527             // value of a valid instance.
528             unsafe { core::hint::unreachable_unchecked() }
529         }
530 
531         &self.0
532     }
533 }
534 
535 /// Trait similar to [`TryInto`] but for [`Bounded`], to avoid conflicting implementations.
536 ///
537 /// # Examples
538 ///
539 /// ```
540 /// use kernel::num::{Bounded, TryIntoBounded};
541 ///
542 /// // Succeeds because `128` fits into 8 bits.
543 /// let v: Option<Bounded<u16, 8>> = 128u32.try_into_bounded();
544 /// assert_eq!(v.as_deref().copied(), Some(128));
545 ///
546 /// // Fails because `128` doesn't fit into 6 bits.
547 /// let v: Option<Bounded<u16, 6>> = 128u32.try_into_bounded();
548 /// assert_eq!(v, None);
549 /// ```
550 pub trait TryIntoBounded<T: Integer, const N: u32> {
551     /// Attempts to convert `self` into a [`Bounded`] using `N` bits.
552     ///
553     /// Returns [`None`] if `self` does not fit into the target type.
554     fn try_into_bounded(self) -> Option<Bounded<T, N>>;
555 }
556 
557 /// Any integer value can be attempted to be converted into a [`Bounded`] of any size.
558 impl<T, U, const N: u32> TryIntoBounded<T, N> for U
559 where
560     T: Integer,
561     U: TryInto<T>,
562 {
563     fn try_into_bounded(self) -> Option<Bounded<T, N>> {
564         self.try_into().ok().and_then(Bounded::try_new)
565     }
566 }
567 
568 // Comparisons between `Bounded`s.
569 
570 impl<T, U, const N: u32, const M: u32> PartialEq<Bounded<U, M>> for Bounded<T, N>
571 where
572     T: Integer,
573     U: Integer,
574     T: PartialEq<U>,
575 {
576     fn eq(&self, other: &Bounded<U, M>) -> bool {
577         self.get() == other.get()
578     }
579 }
580 
581 impl<T, const N: u32> Eq for Bounded<T, N> where T: Integer {}
582 
583 impl<T, U, const N: u32, const M: u32> PartialOrd<Bounded<U, M>> for Bounded<T, N>
584 where
585     T: Integer,
586     U: Integer,
587     T: PartialOrd<U>,
588 {
589     fn partial_cmp(&self, other: &Bounded<U, M>) -> Option<cmp::Ordering> {
590         self.get().partial_cmp(&other.get())
591     }
592 }
593 
594 impl<T, const N: u32> Ord for Bounded<T, N>
595 where
596     T: Integer,
597     T: Ord,
598 {
599     fn cmp(&self, other: &Self) -> cmp::Ordering {
600         self.get().cmp(&other.get())
601     }
602 }
603 
604 // Comparisons between a `Bounded` and its backing type.
605 
606 impl<T, const N: u32> PartialEq<T> for Bounded<T, N>
607 where
608     T: Integer,
609     T: PartialEq,
610 {
611     fn eq(&self, other: &T) -> bool {
612         self.get() == *other
613     }
614 }
615 
616 impl<T, const N: u32> PartialOrd<T> for Bounded<T, N>
617 where
618     T: Integer,
619     T: PartialOrd,
620 {
621     fn partial_cmp(&self, other: &T) -> Option<cmp::Ordering> {
622         self.get().partial_cmp(other)
623     }
624 }
625 
626 // Implementations of `core::ops` for two `Bounded` with the same backing type.
627 
628 impl<T, const N: u32, const M: u32> ops::Add<Bounded<T, M>> for Bounded<T, N>
629 where
630     T: Integer,
631     T: ops::Add<Output = T>,
632 {
633     type Output = T;
634 
635     fn add(self, rhs: Bounded<T, M>) -> Self::Output {
636         self.get() + rhs.get()
637     }
638 }
639 
640 impl<T, const N: u32, const M: u32> ops::BitAnd<Bounded<T, M>> for Bounded<T, N>
641 where
642     T: Integer,
643     T: ops::BitAnd<Output = T>,
644 {
645     type Output = T;
646 
647     fn bitand(self, rhs: Bounded<T, M>) -> Self::Output {
648         self.get() & rhs.get()
649     }
650 }
651 
652 impl<T, const N: u32, const M: u32> ops::BitOr<Bounded<T, M>> for Bounded<T, N>
653 where
654     T: Integer,
655     T: ops::BitOr<Output = T>,
656 {
657     type Output = T;
658 
659     fn bitor(self, rhs: Bounded<T, M>) -> Self::Output {
660         self.get() | rhs.get()
661     }
662 }
663 
664 impl<T, const N: u32, const M: u32> ops::BitXor<Bounded<T, M>> for Bounded<T, N>
665 where
666     T: Integer,
667     T: ops::BitXor<Output = T>,
668 {
669     type Output = T;
670 
671     fn bitxor(self, rhs: Bounded<T, M>) -> Self::Output {
672         self.get() ^ rhs.get()
673     }
674 }
675 
676 impl<T, const N: u32, const M: u32> ops::Div<Bounded<T, M>> for Bounded<T, N>
677 where
678     T: Integer,
679     T: ops::Div<Output = T>,
680 {
681     type Output = T;
682 
683     fn div(self, rhs: Bounded<T, M>) -> Self::Output {
684         self.get() / rhs.get()
685     }
686 }
687 
688 impl<T, const N: u32, const M: u32> ops::Mul<Bounded<T, M>> for Bounded<T, N>
689 where
690     T: Integer,
691     T: ops::Mul<Output = T>,
692 {
693     type Output = T;
694 
695     fn mul(self, rhs: Bounded<T, M>) -> Self::Output {
696         self.get() * rhs.get()
697     }
698 }
699 
700 impl<T, const N: u32, const M: u32> ops::Rem<Bounded<T, M>> for Bounded<T, N>
701 where
702     T: Integer,
703     T: ops::Rem<Output = T>,
704 {
705     type Output = T;
706 
707     fn rem(self, rhs: Bounded<T, M>) -> Self::Output {
708         self.get() % rhs.get()
709     }
710 }
711 
712 impl<T, const N: u32, const M: u32> ops::Sub<Bounded<T, M>> for Bounded<T, N>
713 where
714     T: Integer,
715     T: ops::Sub<Output = T>,
716 {
717     type Output = T;
718 
719     fn sub(self, rhs: Bounded<T, M>) -> Self::Output {
720         self.get() - rhs.get()
721     }
722 }
723 
724 // Implementations of `core::ops` between a `Bounded` and its backing type.
725 
726 impl<T, const N: u32> ops::Add<T> for Bounded<T, N>
727 where
728     T: Integer,
729     T: ops::Add<Output = T>,
730 {
731     type Output = T;
732 
733     fn add(self, rhs: T) -> Self::Output {
734         self.get() + rhs
735     }
736 }
737 
738 impl<T, const N: u32> ops::BitAnd<T> for Bounded<T, N>
739 where
740     T: Integer,
741     T: ops::BitAnd<Output = T>,
742 {
743     type Output = T;
744 
745     fn bitand(self, rhs: T) -> Self::Output {
746         self.get() & rhs
747     }
748 }
749 
750 impl<T, const N: u32> ops::BitOr<T> for Bounded<T, N>
751 where
752     T: Integer,
753     T: ops::BitOr<Output = T>,
754 {
755     type Output = T;
756 
757     fn bitor(self, rhs: T) -> Self::Output {
758         self.get() | rhs
759     }
760 }
761 
762 impl<T, const N: u32> ops::BitXor<T> for Bounded<T, N>
763 where
764     T: Integer,
765     T: ops::BitXor<Output = T>,
766 {
767     type Output = T;
768 
769     fn bitxor(self, rhs: T) -> Self::Output {
770         self.get() ^ rhs
771     }
772 }
773 
774 impl<T, const N: u32> ops::Div<T> for Bounded<T, N>
775 where
776     T: Integer,
777     T: ops::Div<Output = T>,
778 {
779     type Output = T;
780 
781     fn div(self, rhs: T) -> Self::Output {
782         self.get() / rhs
783     }
784 }
785 
786 impl<T, const N: u32> ops::Mul<T> for Bounded<T, N>
787 where
788     T: Integer,
789     T: ops::Mul<Output = T>,
790 {
791     type Output = T;
792 
793     fn mul(self, rhs: T) -> Self::Output {
794         self.get() * rhs
795     }
796 }
797 
798 impl<T, const N: u32> ops::Neg for Bounded<T, N>
799 where
800     T: Integer,
801     T: ops::Neg<Output = T>,
802 {
803     type Output = T;
804 
805     fn neg(self) -> Self::Output {
806         -self.get()
807     }
808 }
809 
810 impl<T, const N: u32> ops::Not for Bounded<T, N>
811 where
812     T: Integer,
813     T: ops::Not<Output = T>,
814 {
815     type Output = T;
816 
817     fn not(self) -> Self::Output {
818         !self.get()
819     }
820 }
821 
822 impl<T, const N: u32> ops::Rem<T> for Bounded<T, N>
823 where
824     T: Integer,
825     T: ops::Rem<Output = T>,
826 {
827     type Output = T;
828 
829     fn rem(self, rhs: T) -> Self::Output {
830         self.get() % rhs
831     }
832 }
833 
834 impl<T, const N: u32> ops::Sub<T> for Bounded<T, N>
835 where
836     T: Integer,
837     T: ops::Sub<Output = T>,
838 {
839     type Output = T;
840 
841     fn sub(self, rhs: T) -> Self::Output {
842         self.get() - rhs
843     }
844 }
845 
846 // Proxy implementations of `core::fmt`.
847 
848 impl<T, const N: u32> fmt::Display for Bounded<T, N>
849 where
850     T: Integer,
851     T: fmt::Display,
852 {
853     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
854         self.get().fmt(f)
855     }
856 }
857 
858 impl<T, const N: u32> fmt::Binary for Bounded<T, N>
859 where
860     T: Integer,
861     T: fmt::Binary,
862 {
863     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
864         self.get().fmt(f)
865     }
866 }
867 
868 impl<T, const N: u32> fmt::LowerExp for Bounded<T, N>
869 where
870     T: Integer,
871     T: fmt::LowerExp,
872 {
873     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
874         self.get().fmt(f)
875     }
876 }
877 
878 impl<T, const N: u32> fmt::LowerHex for Bounded<T, N>
879 where
880     T: Integer,
881     T: fmt::LowerHex,
882 {
883     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
884         self.get().fmt(f)
885     }
886 }
887 
888 impl<T, const N: u32> fmt::Octal for Bounded<T, N>
889 where
890     T: Integer,
891     T: fmt::Octal,
892 {
893     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
894         self.get().fmt(f)
895     }
896 }
897 
898 impl<T, const N: u32> fmt::UpperExp for Bounded<T, N>
899 where
900     T: Integer,
901     T: fmt::UpperExp,
902 {
903     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
904         self.get().fmt(f)
905     }
906 }
907 
908 impl<T, const N: u32> fmt::UpperHex for Bounded<T, N>
909 where
910     T: Integer,
911     T: fmt::UpperHex,
912 {
913     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
914         self.get().fmt(f)
915     }
916 }
917 
918 /// Implements `$trait` for all [`Bounded`] types represented using `$num_bits`.
919 ///
920 /// This is used to declare size properties as traits that we can constrain against in impl blocks.
921 macro_rules! impl_size_rule {
922     ($trait:ty, $($num_bits:literal)*) => {
923         $(
924         impl<T> $trait for Bounded<T, $num_bits> where T: Integer {}
925         )*
926     };
927 }
928 
929 /// Local trait expressing the fact that a given [`Bounded`] has at least `N` bits used for value
930 /// representation.
931 trait AtLeastXBits<const N: usize> {}
932 
933 /// Implementations for infallibly converting a primitive type into a [`Bounded`] that can contain
934 /// it.
935 ///
936 /// Put into their own module for readability, and to avoid cluttering the rustdoc of the parent
937 /// module.
938 mod atleast_impls {
939     use super::*;
940 
941     // Number of bits at least as large as 64.
942     impl_size_rule!(AtLeastXBits<64>, 64);
943 
944     // Anything 64 bits or more is also larger than 32.
945     impl<T> AtLeastXBits<32> for T where T: AtLeastXBits<64> {}
946     // Other numbers of bits at least as large as 32.
947     impl_size_rule!(AtLeastXBits<32>,
948         32 33 34 35 36 37 38 39
949         40 41 42 43 44 45 46 47
950         48 49 50 51 52 53 54 55
951         56 57 58 59 60 61 62 63
952     );
953 
954     // Anything 32 bits or more is also larger than 16.
955     impl<T> AtLeastXBits<16> for T where T: AtLeastXBits<32> {}
956     // Other numbers of bits at least as large as 16.
957     impl_size_rule!(AtLeastXBits<16>,
958         16 17 18 19 20 21 22 23
959         24 25 26 27 28 29 30 31
960     );
961 
962     // Anything 16 bits or more is also larger than 8.
963     impl<T> AtLeastXBits<8> for T where T: AtLeastXBits<16> {}
964     // Other numbers of bits at least as large as 8.
965     impl_size_rule!(AtLeastXBits<8>, 8 9 10 11 12 13 14 15);
966 }
967 
968 /// Generates `From` implementations from a primitive type into a [`Bounded`] with
969 /// enough bits to store any value of that type.
970 ///
971 /// Note: The only reason for having this macro is that if we pass `$type` as a generic
972 /// parameter, we cannot use it in the const context of [`AtLeastXBits`]'s generic parameter. This
973 /// can be fixed once the `generic_const_exprs` feature is usable, and this macro replaced by a
974 /// regular `impl` block.
975 macro_rules! impl_from_primitive {
976     ($($type:ty)*) => {
977         $(
978         #[doc = ::core::concat!(
979             "Conversion from a [`",
980             ::core::stringify!($type),
981             "`] into a [`Bounded`] of same signedness with enough bits to store it.")]
982         impl<T, const N: u32> From<$type> for Bounded<T, N>
983         where
984             $type: Integer,
985             T: Integer<Signedness = <$type as Integer>::Signedness> + From<$type>,
986             Self: AtLeastXBits<{ <$type as Integer>::BITS as usize }>,
987         {
988             fn from(value: $type) -> Self {
989                 // SAFETY: The trait bound on `Self` guarantees that `N` bits is
990                 // enough to hold any value of the source type.
991                 unsafe { Self::__new(T::from(value)) }
992             }
993         }
994         )*
995     }
996 }
997 
998 impl_from_primitive!(
999     u8 u16 u32 u64 usize
1000     i8 i16 i32 i64 isize
1001 );
1002 
1003 /// Local trait expressing the fact that a given [`Bounded`] fits into a primitive type of `N` bits,
1004 /// provided they have the same signedness.
1005 trait FitsInXBits<const N: usize> {}
1006 
1007 /// Implementations for infallibly converting a [`Bounded`] into a primitive type that can contain
1008 /// it.
1009 ///
1010 /// Put into their own module for readability, and to avoid cluttering the rustdoc of the parent
1011 /// module.
1012 mod fits_impls {
1013     use super::*;
1014 
1015     // Number of bits that fit into a 8-bits primitive.
1016     impl_size_rule!(FitsInXBits<8>, 1 2 3 4 5 6 7 8);
1017 
1018     // Anything that fits into 8 bits also fits into 16.
1019     impl<T> FitsInXBits<16> for T where T: FitsInXBits<8> {}
1020     // Other number of bits that fit into a 16-bits primitive.
1021     impl_size_rule!(FitsInXBits<16>, 9 10 11 12 13 14 15 16);
1022 
1023     // Anything that fits into 16 bits also fits into 32.
1024     impl<T> FitsInXBits<32> for T where T: FitsInXBits<16> {}
1025     // Other number of bits that fit into a 32-bits primitive.
1026     impl_size_rule!(FitsInXBits<32>,
1027         17 18 19 20 21 22 23 24
1028         25 26 27 28 29 30 31 32
1029     );
1030 
1031     // Anything that fits into 32 bits also fits into 64.
1032     impl<T> FitsInXBits<64> for T where T: FitsInXBits<32> {}
1033     // Other number of bits that fit into a 64-bits primitive.
1034     impl_size_rule!(FitsInXBits<64>,
1035         33 34 35 36 37 38 39 40
1036         41 42 43 44 45 46 47 48
1037         49 50 51 52 53 54 55 56
1038         57 58 59 60 61 62 63 64
1039     );
1040 }
1041 
1042 /// Generates [`From`] implementations from a [`Bounded`] into a primitive type that is
1043 /// guaranteed to contain it.
1044 ///
1045 /// Note: The only reason for having this macro is that if we pass `$type` as a generic
1046 /// parameter, we cannot use it in the const context of `AtLeastXBits`'s generic parameter. This
1047 /// can be fixed once the `generic_const_exprs` feature is usable, and this macro replaced by a
1048 /// regular `impl` block.
1049 macro_rules! impl_into_primitive {
1050     ($($type:ty)*) => {
1051         $(
1052         #[doc = ::core::concat!(
1053             "Conversion from a [`Bounded`] with no more bits than a [`",
1054             ::core::stringify!($type),
1055             "`] and of same signedness into [`",
1056             ::core::stringify!($type),
1057             "`]")]
1058         impl<T, const N: u32> From<Bounded<T, N>> for $type
1059         where
1060             $type: Integer + TryFrom<T>,
1061             T: Integer<Signedness = <$type as Integer>::Signedness>,
1062             Bounded<T, N>: FitsInXBits<{ <$type as Integer>::BITS as usize }>,
1063         {
1064             fn from(value: Bounded<T, N>) -> $type {
1065                 // SAFETY: The trait bound on `Bounded` ensures that any value it holds (which
1066                 // is constrained to `N` bits) can fit into the destination type, so this
1067                 // conversion cannot fail.
1068                 unsafe { <$type>::try_from(value.get()).unwrap_unchecked() }
1069             }
1070         }
1071         )*
1072     }
1073 }
1074 
1075 impl_into_primitive!(
1076     u8 u16 u32 u64 usize
1077     i8 i16 i32 i64 isize
1078 );
1079 
1080 // Single-bit `Bounded`s can be converted from/to a boolean.
1081 
1082 impl<T> From<Bounded<T, 1>> for bool
1083 where
1084     T: Integer + Zeroable,
1085 {
1086     fn from(value: Bounded<T, 1>) -> Self {
1087         value.get() != Zeroable::zeroed()
1088     }
1089 }
1090 
1091 impl<T, const N: u32> From<bool> for Bounded<T, N>
1092 where
1093     T: Integer + From<bool>,
1094 {
1095     fn from(value: bool) -> Self {
1096         // SAFETY: A boolean can be represented using a single bit, and thus fits within any
1097         // integer type for any `N` > 0.
1098         unsafe { Self::__new(T::from(value)) }
1099     }
1100 }
1101 
1102 impl<T> Bounded<T, 1>
1103 where
1104     T: Integer + Zeroable,
1105 {
1106     /// Converts this [`Bounded`] into a [`bool`].
1107     ///
1108     /// This is a shorter way of writing `bool::from(self)`.
1109     ///
1110     /// # Examples
1111     ///
1112     /// ```
1113     /// use kernel::num::Bounded;
1114     ///
1115     /// assert_eq!(Bounded::<u8, 1>::new::<0>().into_bool(), false);
1116     /// assert_eq!(Bounded::<u8, 1>::new::<1>().into_bool(), true);
1117     /// ```
1118     pub fn into_bool(self) -> bool {
1119         self.into()
1120     }
1121 }
1122