devela/num/quant/
interval.rs

1// devela::num::quant::interval
2//
3//! Defines the [`Interval`] wrapper type.
4//
5
6use crate::{
7    iif, Bound, ConstDefault, Range, RangeFrom, RangeFull, RangeInclusive, RangeTo,
8    RangeToInclusive,
9};
10
11/// A range of values with `lower` and `upper` [`Bound`]s.
12///
13/// The `Interval` type allows modeling ranges of values with optional inclusion
14/// or exclusion at each bound. This is useful for mathematical operations,
15/// range checks, and interval arithmetic.
16#[doc(alias = "Range")]
17#[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
18pub struct Interval<T> {
19    /// The lower bound (also known as the *start* bound, or the *left* bound).
20    pub lower: Bound<T>,
21    /// The upper bound (also known as the *end*, bound or the *right* bound).
22    pub upper: Bound<T>,
23}
24
25/// # Methodical constructors
26impl<T> Interval<T> {
27    // lower-closed
28
29    /// Creates a closed interval $[l, u]$ `lower..=upper` [`RangeInclusive`].
30    #[must_use]
31    pub const fn closed(lower: T, upper: T) -> Self {
32        Self::new(Bound::Included(lower), Bound::Included(upper))
33    }
34    /// Creates a half-open interval $[l, u)$ `lower..upper` [`Range`].
35    #[must_use]
36    pub const fn closed_open(lower: T, upper: T) -> Self {
37        Self::new(Bound::Included(lower), Bound::Excluded(upper))
38    }
39    /// Creates an interval $[l, ∞)$ `lower..` [`RangeFrom`].
40    #[must_use]
41    pub const fn closed_unbounded(lower: T) -> Self {
42        Self::new(Bound::Included(lower), Bound::Unbounded)
43    }
44
45    // lower-open
46
47    /// Creates an open interval $(l, u)$.
48    #[must_use]
49    pub const fn open(lower: T, upper: T) -> Self {
50        Self::new(Bound::Excluded(lower), Bound::Excluded(upper))
51    }
52
53    /// Creates a half-open interval $(a, b]$.
54    #[must_use]
55    pub const fn open_closed(lower: T, upper: T) -> Self {
56        Self::new(Bound::Excluded(lower), Bound::Included(upper))
57    }
58
59    /// Creates an interval $(l, ∞)$.
60    #[must_use]
61    pub const fn open_unbounded(lower: T) -> Self {
62        Self::new(Bound::Excluded(lower), Bound::Unbounded)
63    }
64
65    // lower-unbounded
66
67    /// Creates an unbounded interval $(-∞, ∞)$ `..` [`RangeFull`].
68    #[must_use]
69    pub const fn unbounded() -> Self {
70        Self::new(Bound::Unbounded, Bound::Unbounded)
71    }
72    /// Creates an interval $(-∞, u]$ `..upper` [`RangeTo`].
73    #[must_use]
74    pub const fn unbounded_closed(upper: T) -> Self {
75        Self::new(Bound::Unbounded, Bound::Included(upper))
76    }
77    /// Creates an interval $(-∞, u)$ `..=upper` [`RangeToInclusive`].
78    #[must_use]
79    pub const fn unbounded_open(upper: T) -> Self {
80        Self::new(Bound::Unbounded, Bound::Excluded(upper))
81    }
82}
83
84/// # Additional constructors
85impl<T> Interval<T> {
86    /// Creates a new interval with the given `lower` and `upper` bounds.
87    #[must_use]
88    pub const fn new(lower: Bound<T>, upper: Bound<T>) -> Self {
89        Self { lower, upper }
90    }
91
92    /// Creates a single-point interval,
93    /// equivalent to [`closed`][Interval::closed]`(value, value)`.
94    #[must_use] #[rustfmt::skip]
95    pub fn point(value: T) -> Self where T: Clone {
96        Self::closed(value.clone(), value)
97    }
98
99    /// Creates a canonical empty interval,
100    /// equivalent to [`open`][Interval::open]`(T::default(), T::default())`.
101    #[must_use] #[rustfmt::skip]
102    pub fn empty() -> Self where T: Default {
103        Self::open(T::default(), T::default())
104    }
105    /// Creates a canonical empty interval,
106    /// equivalent to [`open`][Interval::open]`(T::default(), T::default())`.
107    #[must_use] #[rustfmt::skip]
108    pub const fn empty_const() -> Self where T: ConstDefault {
109        Self::open(T::DEFAULT, T::DEFAULT)
110    }
111
112    /// Creates a canonical empty interval,
113    /// equivalent to [`open`][Interval::open]`(value, value)`.
114    #[must_use] #[rustfmt::skip]
115    pub fn empty_with(value: T) -> Self where T: Clone {
116        Self::open(value.clone(), value)
117    }
118}
119
120impl<T: Copy> Interval<T> {
121    /// Returns a copy of both bounds as a tuple `(lower, upper)`.
122    ///
123    /// # Example
124    /// ```
125    /// # use devela::Interval;
126    /// let r = Interval::from(1..3usize);
127    /// assert_eq!("bc", &"abcd"[r.to_tuple()]);
128    /// ```
129    #[must_use]
130    pub const fn to_tuple(self) -> (Bound<T>, Bound<T>) {
131        (self.lower, self.upper)
132    }
133}
134
135impl<T> Interval<T> {
136    /// Returns both bounds as a tuple `(lower, upper)`.
137    #[must_use]
138    pub fn into_tuple(self) -> (Bound<T>, Bound<T>) {
139        (self.lower, self.upper)
140    }
141
142    /// Returns a reference to both bounds as a tuple `(&lower, &upper)`.
143    #[must_use]
144    pub fn to_tuple_ref(&self) -> (Bound<&T>, Bound<&T>) {
145        (self.lower_ref(), self.upper_ref())
146    }
147
148    /// Returns a reference to the lower bound.
149    #[must_use]
150    pub fn lower_ref(&self) -> Bound<&T> {
151        self.lower.as_ref()
152    }
153
154    /// Returns a reference to the upper bound.
155    #[must_use]
156    pub fn upper_ref(&self) -> Bound<&T> {
157        self.upper.as_ref()
158    }
159
160    /// Checks if the interval is both lower and upper bounded.
161    #[must_use]
162    pub const fn is_bounded(&self) -> bool {
163        self.is_lower_bounded() && self.is_upper_bounded()
164    }
165    /// Checks if the lower bound is bounded.
166    #[must_use]
167    pub const fn is_lower_bounded(&self) -> bool {
168        !matches!(self.lower, Bound::Unbounded)
169    }
170    /// Checks if the upper bound is bounded.
171    #[must_use]
172    pub const fn is_upper_bounded(&self) -> bool {
173        !matches!(self.upper, Bound::Unbounded)
174    }
175    /// Checks if the lower bound is open (excluded).
176    #[must_use]
177    pub const fn is_lower_open(&self) -> bool {
178        matches!(self.lower, Bound::Excluded(_))
179    }
180    /// Checks if the lower bound is closed (included).
181    #[must_use]
182    pub const fn is_lower_closed(&self) -> bool {
183        matches!(self.lower, Bound::Included(_))
184    }
185    /// Checks if the upper bound is open (excluded).
186    #[must_use]
187    pub const fn is_upper_open(&self) -> bool {
188        matches!(self.upper, Bound::Excluded(_))
189    }
190    /// Checks if the upper bound is closed (included).
191    #[must_use]
192    pub const fn is_upper_closed(&self) -> bool {
193        matches!(self.upper, Bound::Included(_))
194    }
195}
196
197impl<T: PartialOrd> Interval<T> {
198    /// Checks if the interval is empty (contains no values).
199    ///
200    /// An interval is empty if:
201    /// - The bounds exclude each other, such as `(x, x)`, `[x, x)`, or `(x, x]`.
202    /// - The `lower` bound is strictly greater than the `upper` bound.
203    ///
204    /// Unbounded intervals are never empty.
205    #[must_use]
206    pub fn is_empty(&self) -> bool {
207        match (&self.lower, &self.upper) {
208            (Bound::Unbounded, _) | (_, Bound::Unbounded) => false,
209            (Bound::Included(a), Bound::Included(b)) => a > b,
210            (Bound::Included(a), Bound::Excluded(b)) => a >= b,
211            (Bound::Excluded(a), Bound::Included(b)) => a >= b,
212            (Bound::Excluded(a), Bound::Excluded(b)) => a >= b,
213        }
214    }
215
216    /// Validates that the interval bounds are ordered correctly.
217    ///
218    /// Returns `true` if the lower bound is less than or equal to the upper bound.
219    /// Unbounded intervals are always considered well ordered.
220    #[must_use]
221    pub fn is_well_ordered(&self) -> bool {
222        match (&self.lower, &self.upper) {
223            (Bound::Unbounded, _) | (_, Bound::Unbounded) => true,
224            (Bound::Included(a), Bound::Included(b)) => a <= b,
225            (Bound::Included(a), Bound::Excluded(b)) => a < b,
226            (Bound::Excluded(a), Bound::Included(b)) => a < b,
227            (Bound::Excluded(a), Bound::Excluded(b)) => a < b,
228        }
229    }
230
231    /// Checks if the interval contains the given value.
232    ///
233    /// ```
234    /// # use devela::Interval;
235    /// let interval = Interval::closed(1, 5);
236    /// assert!(interval.contains(&3));
237    /// assert!(!interval.contains(&6));
238    /// ```
239    #[must_use]
240    pub fn contains(&self, value: &T) -> bool {
241        let lower_check = match &self.lower {
242            Bound::Included(lower) => *lower <= *value,
243            Bound::Excluded(lower) => *lower < *value,
244            Bound::Unbounded => true,
245        };
246        let upper_check = match &self.upper {
247            Bound::Included(upper) => *value <= *upper,
248            Bound::Excluded(upper) => *value < *upper,
249            Bound::Unbounded => true,
250        };
251        lower_check && upper_check
252    }
253
254    /// Returns the size of the interval, if finite.
255    #[must_use]
256    pub fn size(&self) -> Option<T>
257    where
258        T: Clone + core::ops::Sub<Output = T>,
259    {
260        match (&self.lower, &self.upper) {
261            (Bound::Included(a), Bound::Included(b)) => {
262                iif![a <= b; Some(b.clone() - a.clone()); None]
263            }
264            (Bound::Included(a), Bound::Excluded(b)) => {
265                iif![a < b; Some(b.clone() - a.clone()); None]
266            }
267            (Bound::Excluded(a), Bound::Included(b)) => {
268                iif![a < b; Some(b.clone() - a.clone()); None]
269            }
270            (Bound::Excluded(a), Bound::Excluded(b)) => {
271                iif![a < b; Some(b.clone() - a.clone()); None]
272            }
273            _ => None, // Unbounded intervals don't have a finite size
274        }
275    }
276}
277
278#[rustfmt::skip]
279mod impl_traits {
280    use super::*;
281    use crate::{
282        ConstDefault, NumError, NumError::IncompatibleBounds, NumResult, Ordering, RangeBounds,
283    };
284
285    /// Provides a default value for `Interval`, the unbounded interval $(-\infty, \infty)$.
286    ///
287    /// This choice emphasizes neutrality and generality,
288    /// where the interval encompasses all possible values of `T`. It:
289    /// - Represents a neutral and maximal range for generic use cases.
290    /// - Avoids reliance on [`Default`] for `T`, making it applicable to all types.
291    /// - Aligns with mathematical conventions, where unbounded intervals are a natural default.
292    impl<T> Default for Interval<T> {
293        fn default() -> Self {
294            Self::unbounded()
295        }
296    }
297    /// Provides a *const* default value for `Interval`, the unbounded interval $(-\infty, \infty)$.
298    ///
299    /// See the [`Default`][Self::default] implementation for more information.
300    ///
301    /// See [`Default`] for more information.
302    impl<T> ConstDefault for Interval<T> {
303        const DEFAULT: Self = Self::unbounded();
304    }
305
306    /* infallible conversions */
307
308    // lower-closed
309    impl<T> From<RangeInclusive<T>> for Interval<T> {
310        fn from(r: RangeInclusive<T>) -> Self {
311            let (start, end) = r.into_inner();
312            Self::closed(start, end)
313        }
314    }
315    impl<T> From<Range<T>> for Interval<T> {
316        fn from(r: Range<T>) -> Self { Self::closed_open(r.start, r.end) }
317    }
318    impl<T> From<RangeFrom<T>> for Interval<T> {
319        fn from(r: RangeFrom<T>) -> Self { Self::closed_unbounded(r.start) }
320    }
321    // lower-unbounded
322    impl<T> From<RangeFull> for Interval<T> {
323        fn from(_: RangeFull) -> Self { Self::unbounded() }
324    }
325    impl<T> From<RangeTo<T>> for Interval<T> {
326        fn from(r: RangeTo<T>) -> Self { Self::unbounded_closed(r.end) }
327    }
328    impl<T> From<RangeToInclusive<T>> for Interval<T> {
329        fn from(r: RangeToInclusive<T>) -> Self { Self::unbounded_open(r.end) }
330    }
331
332    /* fallible conversions */
333
334    // lower-closed
335    /// # Errors
336    /// Returns [`IncompatibleBounds`] if the bounds are not compatible.
337    impl<T> TryFrom<Interval<T>> for RangeInclusive<T> {
338        type Error = NumError;
339        fn try_from(interval: Interval<T>) -> NumResult<Self> {
340            match (interval.lower, interval.upper) {
341                (Bound::Included(start), Bound::Included(end)) => Ok(start..=end),
342                _ => Err(IncompatibleBounds),
343            }
344        }
345    }
346    /// # Errors
347    /// Returns [`IncompatibleBounds`] if the bounds are not compatible.
348    impl<T> TryFrom<Interval<T>> for Range<T> {
349        type Error = NumError;
350        fn try_from(interval: Interval<T>) -> NumResult<Self> {
351            match (interval.lower, interval.upper) {
352                (Bound::Included(start), Bound::Excluded(end)) => Ok(start..end),
353                _ => Err(IncompatibleBounds),
354            }
355        }
356    }
357    /// # Errors
358    /// Returns [`IncompatibleBounds`] if the bounds are not compatible.
359    impl<T> TryFrom<Interval<T>> for RangeFrom<T> {
360        type Error = NumError;
361        fn try_from(interval: Interval<T>) -> NumResult<Self> {
362            match (interval.lower, interval.upper) {
363                (Bound::Included(start), Bound::Unbounded) => Ok(start..),
364                _ => Err(IncompatibleBounds),
365            }
366        }
367    }
368    // lower-unbounded
369    /// # Errors
370    /// Returns [`IncompatibleBounds`] if the bounds are not compatible.
371    impl<T> TryFrom<Interval<T>> for RangeFull {
372        type Error = NumError;
373        fn try_from(interval: Interval<T>) -> NumResult<Self> {
374            match (interval.lower, interval.upper) {
375                (Bound::Unbounded, Bound::Unbounded) => Ok(..),
376                _ => Err(IncompatibleBounds),
377            }
378        }
379    }
380    /// # Errors
381    /// Returns [`IncompatibleBounds`] if the bounds are not compatible.
382    impl<T> TryFrom<Interval<T>> for RangeTo<T> {
383        type Error = NumError;
384        fn try_from(interval: Interval<T>) -> NumResult<Self> {
385            match (interval.lower, interval.upper) {
386                (Bound::Unbounded, Bound::Excluded(end)) => Ok(..end),
387                _ => Err(IncompatibleBounds),
388            }
389        }
390    }
391    /// # Errors
392    /// Returns [`IncompatibleBounds`] if the bounds are not compatible.
393    impl<T> TryFrom<Interval<T>> for RangeToInclusive<T> {
394        type Error = NumError;
395        fn try_from(interval: Interval<T>) -> NumResult<Self> {
396            match (interval.lower, interval.upper) {
397                (Bound::Unbounded, Bound::Included(end)) => Ok(..=end),
398                _ => Err(IncompatibleBounds),
399            }
400        }
401    }
402
403    /* other traits */
404
405    impl<T> RangeBounds<T> for Interval<T> {
406        fn start_bound(&self) -> Bound<&T> {
407            self.lower_ref()
408        }
409        fn end_bound(&self) -> Bound<&T> {
410            self.upper_ref()
411        }
412    }
413
414    #[cfg(feature = "alloc")]
415    crate::items! {
416        use crate::{format, String};
417        use core::fmt;
418
419        impl<T: fmt::Display> fmt::Display for Interval<T> {
420            /// Formats the interval as a human-readable string.
421            ///
422            /// Examples:
423            /// - `(-∞, 5]` for an unbounded lower bound and inclusive upper bound.
424            /// - `[1, 3)` for a closed lower bound and open upper bound.
425            fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
426                let lower = match &self.lower {
427                    Bound::Included(value) => format!("[{}", value),
428                    Bound::Excluded(value) => format!("({}", value),
429                    Bound::Unbounded => String::from("(-∞"),
430                };
431                let upper = match &self.upper {
432                    Bound::Included(value) => format!("{}, {}]", lower, value),
433                    Bound::Excluded(value) => format!("{}, {})", lower, value),
434                    Bound::Unbounded => format!("{}, ∞)", lower),
435                };
436                write!(f, "{}", upper)
437            }
438        }
439    }
440
441    /// Comparison Logic:
442    /// - We compare the lower bounds first.
443    /// - If the lower bounds are equal, we compare the upper bounds.
444    /// - We define Unbounded as less than any bounded value.
445    /// - We define that Included(a) < Excluded(a) at same point a.
446    impl<T: PartialOrd> PartialOrd for Interval<T> {
447        fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
448            match compare_bounds(&self.lower, &other.lower) {
449                Some(Ordering::Equal) => compare_bounds(&self.upper, &other.upper),
450                ord => ord,
451            }
452        }
453    }
454    /// Comparison Logic:
455    /// - We compare the lower bounds first.
456    /// - If the lower bounds are equal, we compare the upper bounds.
457    /// - We define Unbounded as less than any bounded value.
458    /// - We define that Included(a) < Excluded(a) at same point a.
459    impl<T: Ord> Ord for Interval<T> {
460        fn cmp(&self, other: &Self) -> Ordering {
461            match compare_bounds_ord(&self.lower, &other.lower) {
462                Ordering::Equal => compare_bounds_ord(&self.upper, &other.upper),
463                ord => ord,
464            }
465        }
466    }
467
468    /* helpers */
469
470    fn compare_bounds<T: PartialOrd>(a: &Bound<T>, b: &Bound<T>) -> Option<Ordering> {
471        use Bound::{Excluded, Included, Unbounded};
472        match (a, b) {
473            (Unbounded, Unbounded) => Some(Ordering::Equal),
474            (Unbounded, _) => Some(Ordering::Less),
475            (_, Unbounded) => Some(Ordering::Greater),
476            (Included(a_val), Included(b_val)) => a_val.partial_cmp(b_val),
477            (Excluded(a_val), Excluded(b_val)) => a_val.partial_cmp(b_val),
478            (Included(a_val), Excluded(b_val)) => {
479                match a_val.partial_cmp(b_val) {
480                    Some(Ordering::Equal) => Some(Ordering::Less),
481                    ord => ord,
482                }
483            }
484            (Excluded(a_val), Included(b_val)) => {
485                match a_val.partial_cmp(b_val) {
486                    Some(Ordering::Equal) => Some(Ordering::Greater),
487                    ord => ord,
488                }
489            }
490        }
491    }
492    fn compare_bounds_ord<T: Ord>(a: &Bound<T>, b: &Bound<T>) -> Ordering {
493        use Bound::{Excluded, Included, Unbounded};
494        match (a, b) {
495            (Unbounded, Unbounded) => Ordering::Equal,
496            (Unbounded, _) => Ordering::Less,
497            (_, Unbounded) => Ordering::Greater,
498            (Included(a_val), Included(b_val)) => a_val.cmp(b_val),
499            (Excluded(a_val), Excluded(b_val)) => a_val.cmp(b_val),
500            (Included(a_val), Excluded(b_val)) => {
501                match a_val.cmp(b_val) {
502                    Ordering::Equal => Ordering::Less,
503                    ord => ord,
504                }
505            }
506            (Excluded(a_val), Included(b_val)) => {
507                match a_val.cmp(b_val) {
508                    Ordering::Equal => Ordering::Greater,
509                    ord => ord,
510                }
511            }
512        }
513    }
514}