vortex_array/stats/stat_bound.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86
use std::cmp::Ordering;
use crate::partial_min;
use crate::stats::bound::IntersectionResult;
use crate::stats::{LowerBound, Precision, Stat};
/// `StatType` define the bound of a given statistic. (e.g. `Max` is an upper bound),
/// this is used to extract the bound from a `Precision` value, (e.g. `p::bound<Max>()`).
pub trait StatType<T> {
type Bound: StatBound<T>;
const STAT: Stat;
}
/// `StatBound` defines the operations that can be performed on a bound.
/// The mains bounds are Upper (e.g. max) and Lower (e.g. min).
pub trait StatBound<T>: Sized {
/// Creates a new bound from a Precision statistic.
fn lift(value: Precision<T>) -> Self;
/// Finds the smallest bound that covers both bounds.
/// A.k.a. the `meet` of the bound.
fn union(&self, other: &Self) -> Option<Self>;
/// Refines the bounds to the most precise estimate we can make for that bound.
/// If the bounds are disjoint, then the result is `None`.
/// e.g. `Precision::Inexact(5)` and `Precision::Exact(6)` would result in `Precision::Inexact(5)`.
/// A.k.a. the `join` of the bound.
fn intersection(&self, other: &Self) -> Option<IntersectionResult<Self>>;
// Returns the exact value from the bound, if that value is exact, otherwise `None`.
fn as_exact(&self) -> Option<&T>;
}
/// This allows a stat with a `Precision` to be interpreted as a bound.
impl<T> Precision<T> {
/// Applied the stat associated bound to the precision value
pub fn bound<S: StatType<T>>(self) -> S::Bound {
S::Bound::lift(self)
}
}
impl<T: PartialOrd + Clone> LowerBound<T> {
pub fn into_value(self) -> Precision<T> {
self.0
}
}
impl<T: PartialOrd + Clone> StatBound<T> for Precision<T> {
fn lift(value: Precision<T>) -> Self {
value
}
fn union(&self, other: &Self) -> Option<Self> {
self.clone()
.zip(other.clone())
.map(|(lhs, rhs)| partial_min(&lhs, &rhs).cloned())
.transpose()
}
fn intersection(&self, other: &Self) -> Option<IntersectionResult<Self>> {
Some(match (self, other) {
(Precision::Exact(lhs), Precision::Exact(rhs)) => {
if lhs.partial_cmp(rhs)? == Ordering::Equal {
IntersectionResult::Value(Precision::Exact(lhs.clone()))
} else {
IntersectionResult::None
}
}
(Precision::Exact(exact), Precision::Inexact(_))
| (Precision::Inexact(_), Precision::Exact(exact)) => {
IntersectionResult::Value(Precision::Inexact(exact.clone()))
}
(Precision::Inexact(lhs), Precision::Inexact(rhs)) => {
IntersectionResult::Value(Precision::Inexact(partial_min(lhs, rhs)?.clone()))
}
})
}
fn as_exact(&self) -> Option<&T> {
match self {
Precision::Exact(val) => Some(val),
_ => None,
}
}
}