bounds.rs 2.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899
  1. use core::{usize, u8, u16, u32, u64};
  2. use core::{isize, i8, i16, i32, i64};
  3. use core::{f32, f64};
  4. use core::num::Wrapping;
  5. /// Numbers which have upper and lower bounds
  6. pub trait Bounded {
  7. // FIXME (#5527): These should be associated constants
  8. /// returns the smallest finite number this type can represent
  9. fn min_value() -> Self;
  10. /// returns the largest finite number this type can represent
  11. fn max_value() -> Self;
  12. }
  13. macro_rules! bounded_impl {
  14. ($t:ty, $min:expr, $max:expr) => {
  15. impl Bounded for $t {
  16. #[inline]
  17. fn min_value() -> $t { $min }
  18. #[inline]
  19. fn max_value() -> $t { $max }
  20. }
  21. }
  22. }
  23. bounded_impl!(usize, usize::MIN, usize::MAX);
  24. bounded_impl!(u8, u8::MIN, u8::MAX);
  25. bounded_impl!(u16, u16::MIN, u16::MAX);
  26. bounded_impl!(u32, u32::MIN, u32::MAX);
  27. bounded_impl!(u64, u64::MIN, u64::MAX);
  28. bounded_impl!(isize, isize::MIN, isize::MAX);
  29. bounded_impl!(i8, i8::MIN, i8::MAX);
  30. bounded_impl!(i16, i16::MIN, i16::MAX);
  31. bounded_impl!(i32, i32::MIN, i32::MAX);
  32. bounded_impl!(i64, i64::MIN, i64::MAX);
  33. impl<T: Bounded> Bounded for Wrapping<T> {
  34. fn min_value() -> Self { Wrapping(T::min_value()) }
  35. fn max_value() -> Self { Wrapping(T::max_value()) }
  36. }
  37. bounded_impl!(f32, f32::MIN, f32::MAX);
  38. macro_rules! for_each_tuple_ {
  39. ( $m:ident !! ) => (
  40. $m! { }
  41. );
  42. ( $m:ident !! $h:ident, $($t:ident,)* ) => (
  43. $m! { $h $($t)* }
  44. for_each_tuple_! { $m !! $($t,)* }
  45. );
  46. }
  47. macro_rules! for_each_tuple {
  48. ( $m:ident ) => (
  49. for_each_tuple_! { $m !! A, B, C, D, E, F, G, H, I, J, K, L, M, N, O, P, Q, R, S, T, }
  50. );
  51. }
  52. macro_rules! bounded_tuple {
  53. ( $($name:ident)* ) => (
  54. impl<$($name: Bounded,)*> Bounded for ($($name,)*) {
  55. #[inline]
  56. fn min_value() -> Self {
  57. ($($name::min_value(),)*)
  58. }
  59. #[inline]
  60. fn max_value() -> Self {
  61. ($($name::max_value(),)*)
  62. }
  63. }
  64. );
  65. }
  66. for_each_tuple!(bounded_tuple);
  67. bounded_impl!(f64, f64::MIN, f64::MAX);
  68. macro_rules! test_wrapping_bounded {
  69. ($($t:ty)+) => {
  70. $(
  71. assert_eq!(Wrapping::<$t>::min_value().0, <$t>::min_value());
  72. assert_eq!(Wrapping::<$t>::max_value().0, <$t>::max_value());
  73. )+
  74. };
  75. }
  76. #[test]
  77. fn wrapping_bounded() {
  78. test_wrapping_bounded!(usize u8 u16 u32 u64 isize i8 i16 i32 i64);
  79. }
  80. #[test]
  81. fn wrapping_is_bounded() {
  82. fn require_bounded<T: Bounded>(_: &T) {}
  83. require_bounded(&Wrapping(42_u32));
  84. require_bounded(&Wrapping(-42));
  85. }