1use std::ops::Range;
5
6use num_traits::cast::FromPrimitive;
7use vortex_array::arrays::PrimitiveArray;
8use vortex_array::stats::{ArrayStats, StatsSetRef};
9use vortex_array::vtable::{
10 ArrayVTable, CanonicalVTable, NotSupported, OperationsVTable, VTable, ValidityVTable,
11 VisitorVTable,
12};
13use vortex_array::{
14 ArrayBufferVisitor, ArrayChildVisitor, ArrayRef, Canonical, EncodingId, EncodingRef, vtable,
15};
16use vortex_buffer::BufferMut;
17use vortex_dtype::{
18 DType, NativePType, Nullability, PType, match_each_integer_ptype, match_each_native_ptype,
19};
20use vortex_error::{VortexExpect, VortexResult, vortex_bail, vortex_err};
21use vortex_mask::Mask;
22use vortex_scalar::{PValue, Scalar, ScalarValue};
23
24vtable!(Sequence);
25
26#[derive(Clone, Debug)]
27pub struct SequenceArray {
29 base: PValue,
30 multiplier: PValue,
31 dtype: DType,
32 length: usize,
33 stats_set: ArrayStats,
34}
35
36impl SequenceArray {
37 pub fn typed_new<T: NativePType + Into<PValue>>(
38 base: T,
39 multiplier: T,
40 nullability: Nullability,
41 length: usize,
42 ) -> VortexResult<Self> {
43 Self::new(
44 base.into(),
45 multiplier.into(),
46 T::PTYPE,
47 nullability,
48 length,
49 )
50 }
51
52 pub fn new(
54 base: PValue,
55 multiplier: PValue,
56 ptype: PType,
57 nullability: Nullability,
58 length: usize,
59 ) -> VortexResult<Self> {
60 if !ptype.is_int() {
61 vortex_bail!("only integer ptype are supported in SequenceArray currently")
62 }
63
64 Self::try_last(base, multiplier, ptype, length).map_err(|e| {
65 e.with_context(format!(
66 "final value not expressible, base = {base:?}, multiplier = {multiplier:?}, len = {length} ",
67 ))
68 })?;
69
70 Ok(Self::unchecked_new(
71 base,
72 multiplier,
73 ptype,
74 nullability,
75 length,
76 ))
77 }
78
79 pub(crate) fn unchecked_new(
80 base: PValue,
81 multiplier: PValue,
82 ptype: PType,
83 nullability: Nullability,
84 length: usize,
85 ) -> Self {
86 let dtype = DType::Primitive(ptype, nullability);
87 Self {
88 base,
89 multiplier,
90 dtype,
91 length,
92 stats_set: Default::default(),
94 }
95 }
96
97 pub fn ptype(&self) -> PType {
98 self.dtype.as_ptype()
99 }
100
101 pub fn base(&self) -> PValue {
102 self.base
103 }
104
105 pub fn multiplier(&self) -> PValue {
106 self.multiplier
107 }
108
109 pub(crate) fn try_last(
110 base: PValue,
111 multiplier: PValue,
112 ptype: PType,
113 length: usize,
114 ) -> VortexResult<PValue> {
115 match_each_integer_ptype!(ptype, |P| {
116 let len_t = <P>::from_usize(length - 1)
117 .ok_or_else(|| vortex_err!("cannot convert length {} into {}", length, ptype))?;
118
119 let base = base.as_primitive::<P>();
120 let multiplier = multiplier.as_primitive::<P>();
121
122 let last = len_t
123 .checked_mul(multiplier)
124 .and_then(|offset| offset.checked_add(base))
125 .ok_or_else(|| vortex_err!("last value computation overflows"))?;
126 Ok(PValue::from(last))
127 })
128 }
129
130 pub(crate) fn index_value(&self, idx: usize) -> PValue {
131 assert!(idx < self.length, "index_value({idx}): index out of bounds");
132
133 match_each_native_ptype!(self.ptype(), |P| {
134 let base = self.base.as_primitive::<P>();
135 let multiplier = self.multiplier.as_primitive::<P>();
136 let value = base + (multiplier * <P>::from_usize(idx).vortex_expect("must fit"));
137
138 PValue::from(value)
139 })
140 }
141
142 pub fn last(&self) -> PValue {
144 Self::try_last(self.base, self.multiplier, self.ptype(), self.length)
145 .vortex_expect("validated array")
146 }
147}
148
149impl VTable for SequenceVTable {
150 type Array = SequenceArray;
151 type Encoding = SequenceEncoding;
152
153 type ArrayVTable = Self;
154 type CanonicalVTable = Self;
155 type OperationsVTable = Self;
156 type ValidityVTable = Self;
157 type VisitorVTable = Self;
158 type ComputeVTable = NotSupported;
159 type EncodeVTable = Self;
160 type SerdeVTable = Self;
161 type PipelineVTable = Self;
162
163 fn id(_encoding: &Self::Encoding) -> EncodingId {
164 EncodingId::new_ref("vortex.sequence")
165 }
166
167 fn encoding(_array: &Self::Array) -> EncodingRef {
168 EncodingRef::new_ref(SequenceEncoding.as_ref())
169 }
170}
171
172impl ArrayVTable<SequenceVTable> for SequenceVTable {
173 fn len(array: &SequenceArray) -> usize {
174 array.length
175 }
176
177 fn dtype(array: &SequenceArray) -> &DType {
178 &array.dtype
179 }
180
181 fn stats(array: &SequenceArray) -> StatsSetRef<'_> {
182 array.stats_set.to_ref(array.as_ref())
183 }
184}
185
186impl CanonicalVTable<SequenceVTable> for SequenceVTable {
187 fn canonicalize(array: &SequenceArray) -> Canonical {
188 let prim = match_each_native_ptype!(array.ptype(), |P| {
189 let base = array.base().as_primitive::<P>();
190 let multiplier = array.multiplier().as_primitive::<P>();
191 let values = BufferMut::from_iter(
192 (0..array.len())
193 .map(|i| base + <P>::from_usize(i).vortex_expect("must fit") * multiplier),
194 );
195 PrimitiveArray::new(values, array.dtype.nullability().into())
196 });
197
198 Canonical::Primitive(prim)
199 }
200}
201
202impl OperationsVTable<SequenceVTable> for SequenceVTable {
203 fn slice(array: &SequenceArray, range: Range<usize>) -> ArrayRef {
204 SequenceArray::unchecked_new(
205 array.index_value(range.start),
206 array.multiplier,
207 array.ptype(),
208 array.dtype().nullability(),
209 range.len(),
210 )
211 .to_array()
212 }
213
214 fn scalar_at(array: &SequenceArray, index: usize) -> Scalar {
215 Scalar::new(
216 array.dtype().clone(),
217 ScalarValue::from(array.index_value(index)),
218 )
219 }
220}
221
222impl ValidityVTable<SequenceVTable> for SequenceVTable {
223 fn is_valid(_array: &SequenceArray, _index: usize) -> bool {
224 true
225 }
226
227 fn all_valid(_array: &SequenceArray) -> bool {
228 true
229 }
230
231 fn all_invalid(_array: &SequenceArray) -> bool {
232 false
233 }
234
235 fn validity_mask(array: &SequenceArray) -> Mask {
236 Mask::AllTrue(array.len())
237 }
238}
239
240impl VisitorVTable<SequenceVTable> for SequenceVTable {
241 fn visit_buffers(_array: &SequenceArray, _visitor: &mut dyn ArrayBufferVisitor) {
242 }
244
245 fn visit_children(_array: &SequenceArray, _visitor: &mut dyn ArrayChildVisitor) {}
246}
247
248#[derive(Clone, Debug)]
249pub struct SequenceEncoding;
250
251#[cfg(test)]
252mod tests {
253 use vortex_array::ToCanonical;
254 use vortex_array::arrays::PrimitiveArray;
255 use vortex_dtype::Nullability;
256 use vortex_scalar::{Scalar, ScalarValue};
257
258 use crate::array::SequenceArray;
259
260 #[test]
261 fn test_sequence_canonical() {
262 let arr = SequenceArray::typed_new(2i64, 3, Nullability::NonNullable, 4).unwrap();
263
264 let canon = PrimitiveArray::from_iter((0..4).map(|i| 2i64 + i * 3));
265
266 assert_eq!(
267 arr.to_primitive().as_slice::<i64>(),
268 canon.as_slice::<i64>()
269 )
270 }
271
272 #[test]
273 fn test_sequence_slice_canonical() {
274 let arr = SequenceArray::typed_new(2i64, 3, Nullability::NonNullable, 4)
275 .unwrap()
276 .slice(2..3);
277
278 let canon = PrimitiveArray::from_iter((2..3).map(|i| 2i64 + i * 3));
279
280 assert_eq!(
281 arr.to_primitive().as_slice::<i64>(),
282 canon.as_slice::<i64>()
283 )
284 }
285
286 #[test]
287 fn test_sequence_scalar_at() {
288 let scalar = SequenceArray::typed_new(2i64, 3, Nullability::NonNullable, 4)
289 .unwrap()
290 .scalar_at(2);
291
292 assert_eq!(
293 scalar,
294 Scalar::new(scalar.dtype().clone(), ScalarValue::from(8i64))
295 )
296 }
297
298 #[test]
299 fn test_sequence_min_max() {
300 assert!(SequenceArray::typed_new(-127i8, -1i8, Nullability::NonNullable, 2).is_ok());
301 assert!(SequenceArray::typed_new(126i8, -1i8, Nullability::NonNullable, 2).is_ok());
302 }
303
304 #[test]
305 fn test_sequence_too_big() {
306 assert!(SequenceArray::typed_new(127i8, 1i8, Nullability::NonNullable, 2).is_err());
307 assert!(SequenceArray::typed_new(-128i8, -1i8, Nullability::NonNullable, 2).is_err());
308 }
309}