orx_concurrent_option/common_traits/
ord.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
use crate::ConcurrentOption;
use core::cmp::Ordering::*;

impl<T: PartialOrd> PartialOrd for ConcurrentOption<T> {
    /// Returns an ordering between `self` and `other` with the default ordering.
    ///
    /// You may call [`partial_cmp_with_order`] to use the desired ordering.
    ///
    /// [`partial_cmp_with_order`]: ConcurrentOption::partial_cmp_with_order
    ///
    /// ```rust
    /// use orx_concurrent_option::*;
    /// use core::cmp::Ordering::*;
    ///
    /// let x = ConcurrentOption::some(3);
    /// let y = ConcurrentOption::some(7);
    /// let z = ConcurrentOption::<i32>::none();
    ///
    /// assert_eq!(x.partial_cmp(&x), Some(Equal));
    /// assert_eq!(x.partial_cmp(&y), Some(Less));
    /// assert_eq!(x.partial_cmp(&z), Some(Greater));
    ///
    /// assert_eq!(y.partial_cmp(&x), Some(Greater));
    /// assert_eq!(y.partial_cmp(&y), Some(Equal));
    /// assert_eq!(y.partial_cmp(&z), Some(Greater));
    ///
    /// assert_eq!(z.partial_cmp(&x), Some(Less));
    /// assert_eq!(z.partial_cmp(&y), Some(Less));
    /// assert_eq!(z.partial_cmp(&z), Some(Equal));
    /// ```
    fn partial_cmp(&self, other: &Self) -> Option<core::cmp::Ordering> {
        match unsafe { (self.as_ref(), other.as_ref()) } {
            (Some(l), Some(r)) => l.partial_cmp(r),
            (Some(_), None) => Some(Greater),
            (None, Some(_)) => Some(Less),
            (None, None) => Some(Equal),
        }
    }
}

impl<T: Ord> Ord for ConcurrentOption<T> {
    /// Returns an ordering between `self` and `other` with the default ordering.
    ///
    /// You may call [`cmp_with_order`] to use the desired ordering.
    ///
    /// [`cmp_with_order`]: ConcurrentOption::cmp_with_order
    ///
    /// ```rust
    /// use orx_concurrent_option::*;
    /// use core::cmp::Ordering::*;
    ///
    /// let x = ConcurrentOption::some(3);
    /// let y = ConcurrentOption::some(7);
    /// let z = ConcurrentOption::<i32>::none();
    ///
    /// assert_eq!(x.cmp(&x), Equal);
    /// assert_eq!(x.cmp(&y), Less);
    /// assert_eq!(x.cmp(&z), Greater);
    ///
    /// assert_eq!(y.cmp(&x), Greater);
    /// assert_eq!(y.cmp(&y), Equal);
    /// assert_eq!(y.cmp(&z), Greater);
    ///
    /// assert_eq!(z.cmp(&x), Less);
    /// assert_eq!(z.cmp(&y), Less);
    /// assert_eq!(z.cmp(&z), Equal);
    /// ```
    fn cmp(&self, other: &Self) -> core::cmp::Ordering {
        match unsafe { (self.as_ref(), other.as_ref()) } {
            (Some(l), Some(r)) => l.cmp(r),
            (Some(_), None) => Greater,
            (None, Some(_)) => Less,
            (None, None) => Equal,
        }
    }
}