ruma_common/push/condition/
room_member_count_is.rs

1use std::{
2    fmt,
3    ops::{Bound, RangeBounds, RangeFrom, RangeTo, RangeToInclusive},
4    str::FromStr,
5};
6
7use js_int::UInt;
8use serde::{Deserialize, Deserializer, Serialize, Serializer};
9
10/// One of `==`, `<`, `>`, `>=` or `<=`.
11///
12/// Used by `RoomMemberCountIs`. Defaults to `==`.
13#[derive(Copy, Clone, Debug, Default, Eq, PartialEq)]
14#[allow(clippy::exhaustive_enums)]
15pub enum ComparisonOperator {
16    /// Equals
17    #[default]
18    Eq,
19
20    /// Less than
21    Lt,
22
23    /// Greater than
24    Gt,
25
26    /// Greater or equal
27    Ge,
28
29    /// Less or equal
30    Le,
31}
32
33/// A decimal integer optionally prefixed by one of `==`, `<`, `>`, `>=` or `<=`.
34///
35/// A prefix of `<` matches rooms where the member count is strictly less than the given
36/// number and so forth. If no prefix is present, this parameter defaults to `==`.
37///
38/// Can be constructed from a number or a range:
39/// ```
40/// use js_int::uint;
41/// use ruma_common::push::RoomMemberCountIs;
42///
43/// // equivalent to `is: "3"` or `is: "==3"`
44/// let exact = RoomMemberCountIs::from(uint!(3));
45///
46/// // equivalent to `is: ">=3"`
47/// let greater_or_equal = RoomMemberCountIs::from(uint!(3)..);
48///
49/// // equivalent to `is: "<3"`
50/// let less = RoomMemberCountIs::from(..uint!(3));
51///
52/// // equivalent to `is: "<=3"`
53/// let less_or_equal = RoomMemberCountIs::from(..=uint!(3));
54///
55/// // An exclusive range can be constructed with `RoomMemberCountIs::gt`:
56/// // (equivalent to `is: ">3"`)
57/// let greater = RoomMemberCountIs::gt(uint!(3));
58/// ```
59#[derive(Copy, Clone, Debug, Eq, PartialEq)]
60#[allow(clippy::exhaustive_structs)]
61pub struct RoomMemberCountIs {
62    /// One of `==`, `<`, `>`, `>=`, `<=`, or no prefix.
63    pub prefix: ComparisonOperator,
64
65    /// The number of people in the room.
66    pub count: UInt,
67}
68
69impl RoomMemberCountIs {
70    /// Creates an instance of `RoomMemberCount` equivalent to `<X`,
71    /// where X is the specified member count.
72    pub fn gt(count: UInt) -> Self {
73        RoomMemberCountIs { prefix: ComparisonOperator::Gt, count }
74    }
75}
76
77impl From<UInt> for RoomMemberCountIs {
78    fn from(x: UInt) -> Self {
79        RoomMemberCountIs { prefix: ComparisonOperator::Eq, count: x }
80    }
81}
82
83impl From<RangeFrom<UInt>> for RoomMemberCountIs {
84    fn from(x: RangeFrom<UInt>) -> Self {
85        RoomMemberCountIs { prefix: ComparisonOperator::Ge, count: x.start }
86    }
87}
88
89impl From<RangeTo<UInt>> for RoomMemberCountIs {
90    fn from(x: RangeTo<UInt>) -> Self {
91        RoomMemberCountIs { prefix: ComparisonOperator::Lt, count: x.end }
92    }
93}
94
95impl From<RangeToInclusive<UInt>> for RoomMemberCountIs {
96    fn from(x: RangeToInclusive<UInt>) -> Self {
97        RoomMemberCountIs { prefix: ComparisonOperator::Le, count: x.end }
98    }
99}
100
101impl fmt::Display for RoomMemberCountIs {
102    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
103        use ComparisonOperator as Op;
104
105        let prefix = match self.prefix {
106            Op::Eq => "",
107            Op::Lt => "<",
108            Op::Gt => ">",
109            Op::Ge => ">=",
110            Op::Le => "<=",
111        };
112
113        write!(f, "{prefix}{}", self.count)
114    }
115}
116
117impl Serialize for RoomMemberCountIs {
118    fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
119    where
120        S: Serializer,
121    {
122        let s = self.to_string();
123        s.serialize(serializer)
124    }
125}
126
127impl FromStr for RoomMemberCountIs {
128    type Err = js_int::ParseIntError;
129
130    fn from_str(s: &str) -> Result<Self, Self::Err> {
131        use ComparisonOperator as Op;
132
133        let (prefix, count_str) = match s {
134            s if s.starts_with("<=") => (Op::Le, &s[2..]),
135            s if s.starts_with('<') => (Op::Lt, &s[1..]),
136            s if s.starts_with(">=") => (Op::Ge, &s[2..]),
137            s if s.starts_with('>') => (Op::Gt, &s[1..]),
138            s if s.starts_with("==") => (Op::Eq, &s[2..]),
139            s => (Op::Eq, s),
140        };
141
142        Ok(RoomMemberCountIs { prefix, count: UInt::from_str(count_str)? })
143    }
144}
145
146impl<'de> Deserialize<'de> for RoomMemberCountIs {
147    fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
148    where
149        D: Deserializer<'de>,
150    {
151        let s = crate::serde::deserialize_cow_str(deserializer)?;
152        FromStr::from_str(&s).map_err(serde::de::Error::custom)
153    }
154}
155
156impl RangeBounds<UInt> for RoomMemberCountIs {
157    fn start_bound(&self) -> Bound<&UInt> {
158        use ComparisonOperator as Op;
159
160        match self.prefix {
161            Op::Eq => Bound::Included(&self.count),
162            Op::Lt | Op::Le => Bound::Unbounded,
163            Op::Gt => Bound::Excluded(&self.count),
164            Op::Ge => Bound::Included(&self.count),
165        }
166    }
167
168    fn end_bound(&self) -> Bound<&UInt> {
169        use ComparisonOperator as Op;
170
171        match self.prefix {
172            Op::Eq => Bound::Included(&self.count),
173            Op::Gt | Op::Ge => Bound::Unbounded,
174            Op::Lt => Bound::Excluded(&self.count),
175            Op::Le => Bound::Included(&self.count),
176        }
177    }
178}
179
180#[cfg(test)]
181mod tests {
182    use std::ops::RangeBounds;
183
184    use js_int::uint;
185
186    use super::RoomMemberCountIs;
187
188    #[test]
189    fn eq_range_contains_its_own_count() {
190        let count = uint!(2);
191        let range = RoomMemberCountIs::from(count);
192
193        assert!(range.contains(&count));
194    }
195
196    #[test]
197    fn ge_range_contains_large_number() {
198        let range = RoomMemberCountIs::from(uint!(2)..);
199        let large_number = uint!(9001);
200
201        assert!(range.contains(&large_number));
202    }
203
204    #[test]
205    fn gt_range_does_not_contain_initial_point() {
206        let range = RoomMemberCountIs::gt(uint!(2));
207        let initial_point = uint!(2);
208
209        assert!(!range.contains(&initial_point));
210    }
211}