risingwave_frontend/optimizer/property/cardinality.rs
1// Copyright 2025 RisingWave Labs
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7// http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15use std::cmp::{Ordering, max, min};
16use std::ops::{Add, Mul, RangeFrom, RangeInclusive, Sub};
17
18use risingwave_pb::plan_common::PbCardinality;
19
20/// The upper bound of the [`Cardinality`].
21#[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
22pub enum Hi {
23 Limited(usize),
24 Unlimited,
25}
26
27impl PartialOrd for Hi {
28 fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
29 Some(self.cmp(other))
30 }
31}
32
33impl Ord for Hi {
34 fn cmp(&self, other: &Self) -> Ordering {
35 match (self, other) {
36 (Self::Unlimited, Self::Unlimited) => Ordering::Equal,
37 (Self::Unlimited, Self::Limited(_)) => Ordering::Greater,
38 (Self::Limited(_), Self::Unlimited) => Ordering::Less,
39 (Self::Limited(lhs), Self::Limited(rhs)) => lhs.cmp(rhs),
40 }
41 }
42}
43
44impl From<Option<usize>> for Hi {
45 fn from(value: Option<usize>) -> Self {
46 value.map_or(Self::Unlimited, Self::Limited)
47 }
48}
49
50impl From<usize> for Hi {
51 fn from(value: usize) -> Self {
52 Self::Limited(value)
53 }
54}
55
56/// The cardinality of the output rows of a plan node. Bounds are inclusive.
57///
58/// The default value is `0..`, i.e. the number of rows is unknown.
59// TODO: Make this the property of each plan node.
60#[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
61pub struct Cardinality {
62 lo: usize,
63 hi: Hi,
64}
65
66impl Default for Cardinality {
67 fn default() -> Self {
68 Self::unknown()
69 }
70}
71
72impl std::fmt::Display for Cardinality {
73 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
74 match self.hi {
75 Hi::Limited(hi) => write!(f, "{}..={}", self.lo, hi),
76 Hi::Unlimited => write!(f, "{}..", self.lo),
77 }
78 }
79}
80
81impl From<RangeInclusive<usize>> for Cardinality {
82 /// Converts an inclusive range to a [`Cardinality`].
83 ///
84 /// ```
85 /// # use risingwave_frontend::optimizer::property::Cardinality;
86 /// let card = Cardinality::from(0..=10);
87 /// assert_eq!(card.lo(), 0);
88 /// assert_eq!(card.hi(), Some(10));
89 /// ```
90 fn from(value: RangeInclusive<usize>) -> Self {
91 Self::new(*value.start(), *value.end())
92 }
93}
94
95impl From<RangeFrom<usize>> for Cardinality {
96 /// Converts a range with unlimited upper bound to a [`Cardinality`].
97 ///
98 /// ```
99 /// # use risingwave_frontend::optimizer::property::Cardinality;
100 /// let card = Cardinality::from(10..);
101 /// assert_eq!(card.lo(), 10);
102 /// assert_eq!(card.hi(), None);
103 /// ```
104 fn from(value: RangeFrom<usize>) -> Self {
105 Self::new(value.start, Hi::Unlimited)
106 }
107}
108
109impl From<usize> for Cardinality {
110 /// Converts a single value to a [`Cardinality`] with the same lower and upper bounds, i.e. the
111 /// value is exact.
112 ///
113 /// ```
114 /// # use risingwave_frontend::optimizer::property::Cardinality;
115 /// let card = Cardinality::from(10);
116 /// assert_eq!(card.lo(), 10);
117 /// assert_eq!(card.hi(), Some(10));
118 /// ```
119 fn from(value: usize) -> Self {
120 Self::new(value, Hi::Limited(value))
121 }
122}
123
124impl Cardinality {
125 /// Creates a new [`Cardinality`] of `0..`, i.e. the number of rows is unknown.
126 pub const fn unknown() -> Self {
127 Self {
128 lo: 0,
129 hi: Hi::Unlimited,
130 }
131 }
132
133 /// Creates a new [`Cardinality`] with the given lower and upper bounds.
134 pub fn new(lo: usize, hi: impl Into<Hi>) -> Self {
135 let hi: Hi = hi.into();
136 debug_assert!(hi >= Hi::from(lo));
137
138 Self { lo, hi }
139 }
140
141 /// Returns the lower bound of the cardinality.
142 pub fn lo(self) -> usize {
143 self.lo
144 }
145
146 /// Returns the upper bound of the cardinality, `None` if the upper bound is unlimited.
147 pub fn hi(self) -> Option<usize> {
148 match self.hi {
149 Hi::Limited(hi) => Some(hi),
150 Hi::Unlimited => None,
151 }
152 }
153
154 /// Returns the minimum of the two cardinalities, where the lower and upper bounds are
155 /// respectively the minimum of the lower and upper bounds of the two cardinalities.
156 ///
157 /// ```
158 /// # use risingwave_frontend::optimizer::property::Cardinality;
159 /// let card1 = Cardinality::from(3..);
160 /// let card2 = Cardinality::from(5..=8);
161 /// let card3 = Cardinality::from(3..=8);
162 /// assert_eq!(card1.min(card2), card3);
163 ///
164 /// // Limit both the lower and upper bounds to a single value, a.k.a. "limit_to".
165 /// let card1 = Cardinality::from(3..=10);
166 /// let card2 = Cardinality::from(5);
167 /// let card3 = Cardinality::from(3..=5);
168 /// assert_eq!(card1.min(card2), card3);
169 ///
170 /// // Limit the lower bound to a value, a.k.a. "as_low_as".
171 /// let card1 = Cardinality::from(3..=10);
172 /// let card2 = Cardinality::from(1..);
173 /// let card3 = Cardinality::from(1..=10);
174 /// assert_eq!(card1.min(card2), card3);
175 /// ```
176 pub fn min(self, rhs: impl Into<Self>) -> Self {
177 let rhs: Self = rhs.into();
178 Self::new(min(self.lo(), rhs.lo()), min(self.hi, rhs.hi))
179 }
180
181 /// Returns the maximum of the two cardinalities, where the lower and upper bounds are
182 /// respectively the maximum of the lower and upper bounds of the two cardinalities.
183 ///
184 /// ```
185 /// # use risingwave_frontend::optimizer::property::Cardinality;
186 /// let card1 = Cardinality::from(3..);
187 /// let card2 = Cardinality::from(5..=8);
188 /// let card3 = Cardinality::from(5..);
189 /// assert_eq!(card1.max(card2), card3);
190 /// ```
191 pub fn max(self, rhs: impl Into<Self>) -> Self {
192 let rhs: Self = rhs.into();
193 Self::new(max(self.lo(), rhs.lo()), max(self.hi, rhs.hi))
194 }
195}
196
197impl<T: Into<Cardinality>> Add<T> for Cardinality {
198 type Output = Self;
199
200 /// Returns the sum of the two cardinalities, where the lower and upper bounds are
201 /// respectively the sum of the lower and upper bounds of the two cardinalities.
202 ///
203 /// ```
204 /// # use risingwave_frontend::optimizer::property::Cardinality;
205 /// let card1 = Cardinality::from(3..=5);
206 /// let card2 = Cardinality::from(5..=10);
207 /// let card3 = Cardinality::from(8..=15);
208 /// assert_eq!(card1 + card2, card3);
209 ///
210 /// let card1 = Cardinality::from(3..);
211 /// let card2 = Cardinality::from(5..=10);
212 /// let card3 = Cardinality::from(8..);
213 /// assert_eq!(card1 + card2, card3);
214 /// ```
215 fn add(self, rhs: T) -> Self::Output {
216 let rhs: Self = rhs.into();
217 let lo = self.lo().saturating_add(rhs.lo());
218 let hi = if let (Some(lhs), Some(rhs)) = (self.hi(), rhs.hi()) {
219 lhs.checked_add(rhs)
220 } else {
221 None
222 };
223 Self::new(lo, hi)
224 }
225}
226
227impl Sub<usize> for Cardinality {
228 type Output = Self;
229
230 /// Returns the cardinality with both lower and upper bounds subtracted by `rhs`.
231 ///
232 /// ```
233 /// # use risingwave_frontend::optimizer::property::Cardinality;
234 /// let card = Cardinality::from(3..=5);
235 /// assert_eq!(card - 2, Cardinality::from(1..=3));
236 /// assert_eq!(card - 4, Cardinality::from(0..=1));
237 /// assert_eq!(card - 6, Cardinality::from(0));
238 ///
239 /// let card = Cardinality::from(3..);
240 /// assert_eq!(card - 2, Cardinality::from(1..));
241 /// assert_eq!(card - 4, Cardinality::from(0..));
242 /// ```
243 fn sub(self, rhs: usize) -> Self::Output {
244 let lo = self.lo().saturating_sub(rhs);
245 let hi = self.hi().map(|hi| hi.saturating_sub(rhs));
246 Self::new(lo, hi)
247 }
248}
249
250impl<T: Into<Cardinality>> Mul<T> for Cardinality {
251 type Output = Self;
252
253 /// Returns the product of the two cardinalities, where the lower and upper bounds are
254 /// respectively the product of the lower and upper bounds of the two cardinalities.
255 ///
256 /// ```
257 /// # use risingwave_frontend::optimizer::property::Cardinality;
258 /// let card1 = Cardinality::from(2..=4);
259 /// let card2 = Cardinality::from(3..=5);
260 /// let card3 = Cardinality::from(6..=20);
261 /// assert_eq!(card1 * card2, card3);
262 ///
263 /// let card1 = Cardinality::from(2..);
264 /// let card2 = Cardinality::from(3..=5);
265 /// let card3 = Cardinality::from(6..);
266 /// assert_eq!(card1 * card2, card3);
267 ///
268 /// let card1 = Cardinality::from((usize::MAX - 1)..=(usize::MAX));
269 /// let card2 = Cardinality::from(3..=5);
270 /// let card3 = Cardinality::from((usize::MAX)..);
271 /// assert_eq!(card1 * card2, card3);
272 ///
273 /// // Or directly with a scalar.
274 /// let card = Cardinality::from(3..=5);
275 /// assert_eq!(card * 2, Cardinality::from(6..=10));
276 ///
277 /// let card = Cardinality::from(3..);
278 /// assert_eq!(card * 2, Cardinality::from(6..));
279 ///
280 /// let card = Cardinality::from((usize::MAX - 1)..=(usize::MAX));
281 /// assert_eq!(card * 2, Cardinality::from((usize::MAX)..));
282 /// ```
283 fn mul(self, rhs: T) -> Self::Output {
284 let rhs: Self = rhs.into();
285 let lo = self.lo().saturating_mul(rhs.lo());
286 let hi = if let (Some(lhs), Some(rhs)) = (self.hi(), rhs.hi()) {
287 lhs.checked_mul(rhs)
288 } else {
289 None
290 };
291 Self::new(lo, hi)
292 }
293}
294
295impl Cardinality {
296 /// Returns the cardinality if it is exact, `None` otherwise.
297 ///
298 /// ```
299 /// # use risingwave_frontend::optimizer::property::Cardinality;
300 /// let card = Cardinality::from(3..=3);
301 /// assert_eq!(card.get_exact(), Some(3));
302 ///
303 /// let card = Cardinality::from(3..=4);
304 /// assert_eq!(card.get_exact(), None);
305 /// ```
306 pub fn get_exact(self) -> Option<usize> {
307 self.hi().filter(|hi| *hi == self.lo())
308 }
309
310 /// Returns `true` if the cardinality is at most `count` rows.
311 ///
312 /// ```
313 /// # use risingwave_frontend::optimizer::property::Cardinality;
314 /// let card = Cardinality::from(3..=5);
315 /// assert!(card.is_at_most(5));
316 /// assert!(card.is_at_most(6));
317 /// assert!(!card.is_at_most(4));
318 ///
319 /// let card = Cardinality::from(3..);
320 /// assert!(!card.is_at_most(usize::MAX));
321 /// ```
322 pub fn is_at_most(self, count: usize) -> bool {
323 self.hi().is_some_and(|hi| hi <= count)
324 }
325}
326
327impl Cardinality {
328 pub fn to_protobuf(self) -> PbCardinality {
329 PbCardinality {
330 lo: self.lo as u64,
331 hi: self.hi().map(|hi| hi as u64),
332 }
333 }
334
335 pub fn from_protobuf(pb: &PbCardinality) -> Self {
336 Self::new(pb.lo as usize, pb.hi.map(|hi| hi as usize))
337 }
338}