datafusion_functions_window/
rank.rs1use crate::define_udwf_and_expr;
22use arrow::datatypes::FieldRef;
23use datafusion_common::arrow::array::ArrayRef;
24use datafusion_common::arrow::array::{Float64Array, UInt64Array};
25use datafusion_common::arrow::compute::SortOptions;
26use datafusion_common::arrow::datatypes::DataType;
27use datafusion_common::arrow::datatypes::Field;
28use datafusion_common::utils::get_row_at_idx;
29use datafusion_common::{exec_err, Result, ScalarValue};
30use datafusion_expr::window_doc_sections::DOC_SECTION_RANKING;
31use datafusion_expr::{
32 Documentation, PartitionEvaluator, Signature, Volatility, WindowUDFImpl,
33};
34use datafusion_functions_window_common::field;
35use datafusion_functions_window_common::partition::PartitionEvaluatorArgs;
36use field::WindowUDFFieldArgs;
37use std::any::Any;
38use std::fmt::Debug;
39use std::hash::Hash;
40use std::iter;
41use std::ops::Range;
42use std::sync::{Arc, LazyLock};
43
44define_udwf_and_expr!(
45 Rank,
46 rank,
47 "Returns rank of the current row with gaps. Same as `row_number` of its first peer",
48 Rank::basic
49);
50
51define_udwf_and_expr!(
52 DenseRank,
53 dense_rank,
54 "Returns rank of the current row without gaps. This function counts peer groups",
55 Rank::dense_rank
56);
57
58define_udwf_and_expr!(
59 PercentRank,
60 percent_rank,
61 "Returns the relative rank of the current row: (rank - 1) / (total rows - 1)",
62 Rank::percent_rank
63);
64
65#[derive(Debug, PartialEq, Eq, Hash)]
67pub struct Rank {
68 name: String,
69 signature: Signature,
70 rank_type: RankType,
71}
72
73impl Rank {
74 pub fn new(name: String, rank_type: RankType) -> Self {
76 Self {
77 name,
78 signature: Signature::nullary(Volatility::Immutable),
79 rank_type,
80 }
81 }
82
83 pub fn basic() -> Self {
85 Rank::new("rank".to_string(), RankType::Basic)
86 }
87
88 pub fn dense_rank() -> Self {
90 Rank::new("dense_rank".to_string(), RankType::Dense)
91 }
92
93 pub fn percent_rank() -> Self {
95 Rank::new("percent_rank".to_string(), RankType::Percent)
96 }
97}
98
99#[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
100pub enum RankType {
101 Basic,
102 Dense,
103 Percent,
104}
105
106static RANK_DOCUMENTATION: LazyLock<Documentation> = LazyLock::new(|| {
107 Documentation::builder(
108 DOC_SECTION_RANKING,
109 "Returns the rank of the current row within its partition, allowing \
110 gaps between ranks. This function provides a ranking similar to `row_number`, but \
111 skips ranks for identical values.",
112
113 "rank()")
114 .with_sql_example(r#"
115```sql
116-- Example usage of the rank window function:
117SELECT department,
118 salary,
119 rank() OVER (PARTITION BY department ORDER BY salary DESC) AS rank
120FROM employees;
121
122+-------------+--------+------+
123| department | salary | rank |
124+-------------+--------+------+
125| Sales | 70000 | 1 |
126| Sales | 50000 | 2 |
127| Sales | 50000 | 2 |
128| Sales | 30000 | 4 |
129| Engineering | 90000 | 1 |
130| Engineering | 80000 | 2 |
131+-------------+--------+------+
132```
133"#)
134 .build()
135});
136
137fn get_rank_doc() -> &'static Documentation {
138 &RANK_DOCUMENTATION
139}
140
141static DENSE_RANK_DOCUMENTATION: LazyLock<Documentation> = LazyLock::new(|| {
142 Documentation::builder(DOC_SECTION_RANKING, "Returns the rank of the current row without gaps. This function ranks \
143 rows in a dense manner, meaning consecutive ranks are assigned even for identical \
144 values.", "dense_rank()")
145 .with_sql_example(r#"
146```sql
147-- Example usage of the dense_rank window function:
148SELECT department,
149 salary,
150 dense_rank() OVER (PARTITION BY department ORDER BY salary DESC) AS dense_rank
151FROM employees;
152
153+-------------+--------+------------+
154| department | salary | dense_rank |
155+-------------+--------+------------+
156| Sales | 70000 | 1 |
157| Sales | 50000 | 2 |
158| Sales | 50000 | 2 |
159| Sales | 30000 | 3 |
160| Engineering | 90000 | 1 |
161| Engineering | 80000 | 2 |
162+-------------+--------+------------+
163```"#)
164 .build()
165});
166
167fn get_dense_rank_doc() -> &'static Documentation {
168 &DENSE_RANK_DOCUMENTATION
169}
170
171static PERCENT_RANK_DOCUMENTATION: LazyLock<Documentation> = LazyLock::new(|| {
172 Documentation::builder(DOC_SECTION_RANKING, "Returns the percentage rank of the current row within its partition. \
173 The value ranges from 0 to 1 and is computed as `(rank - 1) / (total_rows - 1)`.", "percent_rank()")
174 .with_sql_example(r#"```sql
175 -- Example usage of the percent_rank window function:
176SELECT employee_id,
177 salary,
178 percent_rank() OVER (ORDER BY salary) AS percent_rank
179FROM employees;
180
181+-------------+--------+---------------+
182| employee_id | salary | percent_rank |
183+-------------+--------+---------------+
184| 1 | 30000 | 0.00 |
185| 2 | 50000 | 0.50 |
186| 3 | 70000 | 1.00 |
187+-------------+--------+---------------+
188```"#)
189 .build()
190});
191
192fn get_percent_rank_doc() -> &'static Documentation {
193 &PERCENT_RANK_DOCUMENTATION
194}
195
196impl WindowUDFImpl for Rank {
197 fn as_any(&self) -> &dyn Any {
198 self
199 }
200
201 fn name(&self) -> &str {
202 &self.name
203 }
204
205 fn signature(&self) -> &Signature {
206 &self.signature
207 }
208
209 fn partition_evaluator(
210 &self,
211 _partition_evaluator_args: PartitionEvaluatorArgs,
212 ) -> Result<Box<dyn PartitionEvaluator>> {
213 Ok(Box::new(RankEvaluator {
214 state: RankState::default(),
215 rank_type: self.rank_type,
216 }))
217 }
218
219 fn field(&self, field_args: WindowUDFFieldArgs) -> Result<FieldRef> {
220 let return_type = match self.rank_type {
221 RankType::Basic | RankType::Dense => DataType::UInt64,
222 RankType::Percent => DataType::Float64,
223 };
224
225 let nullable = false;
226 Ok(Field::new(field_args.name(), return_type, nullable).into())
227 }
228
229 fn sort_options(&self) -> Option<SortOptions> {
230 Some(SortOptions {
231 descending: false,
232 nulls_first: false,
233 })
234 }
235
236 fn documentation(&self) -> Option<&Documentation> {
237 match self.rank_type {
238 RankType::Basic => Some(get_rank_doc()),
239 RankType::Dense => Some(get_dense_rank_doc()),
240 RankType::Percent => Some(get_percent_rank_doc()),
241 }
242 }
243}
244
245#[derive(Debug, Clone, Default)]
247pub struct RankState {
248 pub last_rank_data: Option<Vec<ScalarValue>>,
250 pub last_rank_boundary: usize,
252 pub current_group_count: usize,
254 pub n_rank: usize,
256}
257
258#[derive(Debug)]
260struct RankEvaluator {
261 state: RankState,
262 rank_type: RankType,
263}
264
265impl PartitionEvaluator for RankEvaluator {
266 fn is_causal(&self) -> bool {
267 matches!(self.rank_type, RankType::Basic | RankType::Dense)
268 }
269
270 fn evaluate(
271 &mut self,
272 values: &[ArrayRef],
273 range: &Range<usize>,
274 ) -> Result<ScalarValue> {
275 let row_idx = range.start;
276 let range_columns = values;
278 let last_rank_data = get_row_at_idx(range_columns, row_idx)?;
279 let new_rank_encountered =
280 if let Some(state_last_rank_data) = &self.state.last_rank_data {
281 state_last_rank_data != &last_rank_data
283 } else {
284 true
286 };
287 if new_rank_encountered {
288 self.state.last_rank_data = Some(last_rank_data);
289 self.state.last_rank_boundary += self.state.current_group_count;
290 self.state.current_group_count = 1;
291 self.state.n_rank += 1;
292 } else {
293 self.state.current_group_count += 1;
295 }
296
297 match self.rank_type {
298 RankType::Basic => Ok(ScalarValue::UInt64(Some(
299 self.state.last_rank_boundary as u64 + 1,
300 ))),
301 RankType::Dense => Ok(ScalarValue::UInt64(Some(self.state.n_rank as u64))),
302 RankType::Percent => {
303 exec_err!("Can not execute PERCENT_RANK in a streaming fashion")
304 }
305 }
306 }
307
308 fn evaluate_all_with_rank(
309 &self,
310 num_rows: usize,
311 ranks_in_partition: &[Range<usize>],
312 ) -> Result<ArrayRef> {
313 let result: ArrayRef = match self.rank_type {
314 RankType::Basic => Arc::new(UInt64Array::from_iter_values(
315 ranks_in_partition
316 .iter()
317 .scan(1_u64, |acc, range| {
318 let len = range.end - range.start;
319 let result = iter::repeat_n(*acc, len);
320 *acc += len as u64;
321 Some(result)
322 })
323 .flatten(),
324 )),
325
326 RankType::Dense => Arc::new(UInt64Array::from_iter_values(
327 ranks_in_partition
328 .iter()
329 .zip(1u64..)
330 .flat_map(|(range, rank)| {
331 let len = range.end - range.start;
332 iter::repeat_n(rank, len)
333 }),
334 )),
335
336 RankType::Percent => {
337 let denominator = num_rows as f64;
338
339 Arc::new(Float64Array::from_iter_values(
340 ranks_in_partition
341 .iter()
342 .scan(0_u64, |acc, range| {
343 let len = range.end - range.start;
344 let value = (*acc as f64) / (denominator - 1.0).max(1.0);
345 let result = iter::repeat_n(value, len);
346 *acc += len as u64;
347 Some(result)
348 })
349 .flatten(),
350 ))
351 }
352 };
353
354 Ok(result)
355 }
356
357 fn supports_bounded_execution(&self) -> bool {
358 matches!(self.rank_type, RankType::Basic | RankType::Dense)
359 }
360
361 fn include_rank(&self) -> bool {
362 true
363 }
364}
365
366#[cfg(test)]
367mod tests {
368 use super::*;
369 use datafusion_common::cast::{as_float64_array, as_uint64_array};
370
371 fn test_with_rank(expr: &Rank, expected: Vec<u64>) -> Result<()> {
372 test_i32_result(expr, vec![0..2, 2..3, 3..6, 6..7, 7..8], expected)
373 }
374
375 #[allow(clippy::single_range_in_vec_init)]
376 fn test_without_rank(expr: &Rank, expected: Vec<u64>) -> Result<()> {
377 test_i32_result(expr, vec![0..8], expected)
378 }
379
380 fn test_i32_result(
381 expr: &Rank,
382 ranks: Vec<Range<usize>>,
383 expected: Vec<u64>,
384 ) -> Result<()> {
385 let args = PartitionEvaluatorArgs::default();
386 let result = expr
387 .partition_evaluator(args)?
388 .evaluate_all_with_rank(8, &ranks)?;
389 let result = as_uint64_array(&result)?;
390 let result = result.values();
391 assert_eq!(expected, *result);
392 Ok(())
393 }
394
395 fn test_f64_result(
396 expr: &Rank,
397 num_rows: usize,
398 ranks: Vec<Range<usize>>,
399 expected: Vec<f64>,
400 ) -> Result<()> {
401 let args = PartitionEvaluatorArgs::default();
402 let result = expr
403 .partition_evaluator(args)?
404 .evaluate_all_with_rank(num_rows, &ranks)?;
405 let result = as_float64_array(&result)?;
406 let result = result.values();
407 assert_eq!(expected, *result);
408 Ok(())
409 }
410
411 #[test]
412 fn test_rank() -> Result<()> {
413 let r = Rank::basic();
414 test_without_rank(&r, vec![1; 8])?;
415 test_with_rank(&r, vec![1, 1, 3, 4, 4, 4, 7, 8])?;
416 Ok(())
417 }
418
419 #[test]
420 fn test_dense_rank() -> Result<()> {
421 let r = Rank::dense_rank();
422 test_without_rank(&r, vec![1; 8])?;
423 test_with_rank(&r, vec![1, 1, 2, 3, 3, 3, 4, 5])?;
424 Ok(())
425 }
426
427 #[test]
428 #[allow(clippy::single_range_in_vec_init)]
429 fn test_percent_rank() -> Result<()> {
430 let r = Rank::percent_rank();
431
432 let expected = vec![0.0; 0];
434 test_f64_result(&r, 0, vec![0..0; 0], expected)?;
435
436 let expected = vec![0.0];
438 test_f64_result(&r, 1, vec![0..1], expected)?;
439
440 let expected = vec![0.0; 7];
442 test_f64_result(&r, 7, vec![0..7], expected)?;
443
444 let expected = vec![0.0, 0.0, 0.0, 0.5, 0.5, 0.5, 0.5];
446 test_f64_result(&r, 7, vec![0..3, 3..7], expected)?;
447
448 Ok(())
449 }
450}