datafusion_functions_nested/
repeat.rs1use crate::utils::make_scalar_function;
21use arrow::array::{
22 Array, ArrayRef, Capacities, GenericListArray, ListArray, MutableArrayData,
23 OffsetSizeTrait, UInt64Array, new_null_array,
24};
25use arrow::buffer::OffsetBuffer;
26use arrow::compute;
27use arrow::compute::cast;
28use arrow::datatypes::DataType;
29use arrow::datatypes::{
30 DataType::{LargeList, List},
31 Field,
32};
33use datafusion_common::cast::{as_large_list_array, as_list_array, as_uint64_array};
34use datafusion_common::{Result, exec_err, utils::take_function_args};
35use datafusion_expr::{
36 ColumnarValue, Documentation, ScalarUDFImpl, Signature, Volatility,
37};
38use datafusion_macros::user_doc;
39use std::any::Any;
40use std::sync::Arc;
41
42make_udf_expr_and_func!(
43 ArrayRepeat,
44 array_repeat,
45 element count, "returns an array containing element `count` times.", array_repeat_udf );
49
50#[user_doc(
51 doc_section(label = "Array Functions"),
52 description = "Returns an array containing element `count` times.",
53 syntax_example = "array_repeat(element, count)",
54 sql_example = r#"```sql
55> select array_repeat(1, 3);
56+---------------------------------+
57| array_repeat(Int64(1),Int64(3)) |
58+---------------------------------+
59| [1, 1, 1] |
60+---------------------------------+
61> select array_repeat([1, 2], 2);
62+------------------------------------+
63| array_repeat(List([1,2]),Int64(2)) |
64+------------------------------------+
65| [[1, 2], [1, 2]] |
66+------------------------------------+
67```"#,
68 argument(
69 name = "element",
70 description = "Element expression. Can be a constant, column, or function, and any combination of array operators."
71 ),
72 argument(
73 name = "count",
74 description = "Value of how many times to repeat the element."
75 )
76)]
77#[derive(Debug, PartialEq, Eq, Hash)]
78pub struct ArrayRepeat {
79 signature: Signature,
80 aliases: Vec<String>,
81}
82
83impl Default for ArrayRepeat {
84 fn default() -> Self {
85 Self::new()
86 }
87}
88
89impl ArrayRepeat {
90 pub fn new() -> Self {
91 Self {
92 signature: Signature::user_defined(Volatility::Immutable),
93 aliases: vec![String::from("list_repeat")],
94 }
95 }
96}
97
98impl ScalarUDFImpl for ArrayRepeat {
99 fn as_any(&self) -> &dyn Any {
100 self
101 }
102
103 fn name(&self) -> &str {
104 "array_repeat"
105 }
106
107 fn signature(&self) -> &Signature {
108 &self.signature
109 }
110
111 fn return_type(&self, arg_types: &[DataType]) -> Result<DataType> {
112 Ok(List(Arc::new(Field::new_list_field(
113 arg_types[0].clone(),
114 true,
115 ))))
116 }
117
118 fn invoke_with_args(
119 &self,
120 args: datafusion_expr::ScalarFunctionArgs,
121 ) -> Result<ColumnarValue> {
122 make_scalar_function(array_repeat_inner)(&args.args)
123 }
124
125 fn aliases(&self) -> &[String] {
126 &self.aliases
127 }
128
129 fn coerce_types(&self, arg_types: &[DataType]) -> Result<Vec<DataType>> {
130 let [first_type, second_type] = take_function_args(self.name(), arg_types)?;
131
132 let second = match second_type {
134 DataType::Int8 | DataType::Int16 | DataType::Int32 | DataType::Int64 => {
135 DataType::Int64
136 }
137 DataType::UInt8 | DataType::UInt16 | DataType::UInt32 | DataType::UInt64 => {
138 DataType::UInt64
139 }
140 _ => return exec_err!("count must be an integer type"),
141 };
142
143 Ok(vec![first_type.clone(), second])
144 }
145
146 fn documentation(&self) -> Option<&Documentation> {
147 self.doc()
148 }
149}
150
151fn array_repeat_inner(args: &[ArrayRef]) -> Result<ArrayRef> {
152 let element = &args[0];
153 let count_array = &args[1];
154
155 let count_array = match count_array.data_type() {
156 DataType::Int64 => &cast(count_array, &DataType::UInt64)?,
157 DataType::UInt64 => count_array,
158 _ => return exec_err!("count must be an integer type"),
159 };
160
161 let count_array = as_uint64_array(count_array)?;
162
163 match element.data_type() {
164 List(_) => {
165 let list_array = as_list_array(element)?;
166 general_list_repeat::<i32>(list_array, count_array)
167 }
168 LargeList(_) => {
169 let list_array = as_large_list_array(element)?;
170 general_list_repeat::<i64>(list_array, count_array)
171 }
172 _ => general_repeat::<i32>(element, count_array),
173 }
174}
175
176fn general_repeat<O: OffsetSizeTrait>(
189 array: &ArrayRef,
190 count_array: &UInt64Array,
191) -> Result<ArrayRef> {
192 let data_type = array.data_type();
193 let mut new_values = vec![];
194
195 let count_vec = count_array
196 .values()
197 .to_vec()
198 .iter()
199 .map(|x| *x as usize)
200 .collect::<Vec<_>>();
201
202 for (row_index, &count) in count_vec.iter().enumerate() {
203 let repeated_array = if array.is_null(row_index) {
204 new_null_array(data_type, count)
205 } else {
206 let original_data = array.to_data();
207 let capacity = Capacities::Array(count);
208 let mut mutable =
209 MutableArrayData::with_capacities(vec![&original_data], false, capacity);
210
211 for _ in 0..count {
212 mutable.extend(0, row_index, row_index + 1);
213 }
214
215 let data = mutable.freeze();
216 arrow::array::make_array(data)
217 };
218 new_values.push(repeated_array);
219 }
220
221 let new_values: Vec<_> = new_values.iter().map(|a| a.as_ref()).collect();
222 let values = compute::concat(&new_values)?;
223
224 Ok(Arc::new(GenericListArray::<O>::try_new(
225 Arc::new(Field::new_list_field(data_type.to_owned(), true)),
226 OffsetBuffer::from_lengths(count_vec),
227 values,
228 None,
229 )?))
230}
231
232fn general_list_repeat<O: OffsetSizeTrait>(
243 list_array: &GenericListArray<O>,
244 count_array: &UInt64Array,
245) -> Result<ArrayRef> {
246 let data_type = list_array.data_type();
247 let value_type = list_array.value_type();
248 let mut new_values = vec![];
249
250 let count_vec = count_array
251 .values()
252 .to_vec()
253 .iter()
254 .map(|x| *x as usize)
255 .collect::<Vec<_>>();
256
257 for (list_array_row, &count) in list_array.iter().zip(count_vec.iter()) {
258 let list_arr = match list_array_row {
259 Some(list_array_row) => {
260 let original_data = list_array_row.to_data();
261 let capacity = Capacities::Array(original_data.len() * count);
262 let mut mutable = MutableArrayData::with_capacities(
263 vec![&original_data],
264 false,
265 capacity,
266 );
267
268 for _ in 0..count {
269 mutable.extend(0, 0, original_data.len());
270 }
271
272 let data = mutable.freeze();
273 let repeated_array = arrow::array::make_array(data);
274
275 let list_arr = GenericListArray::<O>::try_new(
276 Arc::new(Field::new_list_field(value_type.clone(), true)),
277 OffsetBuffer::<O>::from_lengths(vec![original_data.len(); count]),
278 repeated_array,
279 None,
280 )?;
281 Arc::new(list_arr) as ArrayRef
282 }
283 None => new_null_array(data_type, count),
284 };
285 new_values.push(list_arr);
286 }
287
288 let lengths = new_values.iter().map(|a| a.len()).collect::<Vec<_>>();
289 let new_values: Vec<_> = new_values.iter().map(|a| a.as_ref()).collect();
290 let values = compute::concat(&new_values)?;
291
292 Ok(Arc::new(ListArray::try_new(
293 Arc::new(Field::new_list_field(data_type.to_owned(), true)),
294 OffsetBuffer::<i32>::from_lengths(lengths),
295 values,
296 None,
297 )?))
298}