1use crate::array::print_long_array;
19use crate::{Array, ArrayRef, RecordBatch, make_array, new_null_array};
20use arrow_buffer::{BooleanBuffer, Buffer, NullBuffer};
21use arrow_data::{ArrayData, ArrayDataBuilder};
22use arrow_schema::{ArrowError, DataType, Field, FieldRef, Fields};
23use std::sync::Arc;
24use std::{any::Any, ops::Index};
25
26#[derive(Clone)]
77pub struct StructArray {
78 len: usize,
79 data_type: DataType,
80 nulls: Option<NullBuffer>,
81 fields: Vec<ArrayRef>,
82}
83
84impl StructArray {
85 pub fn new(fields: Fields, arrays: Vec<ArrayRef>, nulls: Option<NullBuffer>) -> Self {
91 Self::try_new(fields, arrays, nulls).unwrap()
92 }
93
94 pub fn try_new(
107 fields: Fields,
108 arrays: Vec<ArrayRef>,
109 nulls: Option<NullBuffer>,
110 ) -> Result<Self, ArrowError> {
111 let len = arrays.first().map(|x| x.len()).ok_or_else(||ArrowError::InvalidArgumentError("use StructArray::try_new_with_length or StructArray::new_empty_fields to create a struct array with no fields so that the length can be set correctly".to_string()))?;
112
113 Self::try_new_with_length(fields, arrays, nulls, len)
114 }
115
116 pub fn try_new_with_length(
128 fields: Fields,
129 arrays: Vec<ArrayRef>,
130 nulls: Option<NullBuffer>,
131 len: usize,
132 ) -> Result<Self, ArrowError> {
133 if fields.len() != arrays.len() {
134 return Err(ArrowError::InvalidArgumentError(format!(
135 "Incorrect number of arrays for StructArray fields, expected {} got {}",
136 fields.len(),
137 arrays.len()
138 )));
139 }
140
141 if let Some(n) = nulls.as_ref() {
142 if n.len() != len {
143 return Err(ArrowError::InvalidArgumentError(format!(
144 "Incorrect number of nulls for StructArray, expected {len} got {}",
145 n.len(),
146 )));
147 }
148 }
149
150 for (f, a) in fields.iter().zip(&arrays) {
151 if f.data_type() != a.data_type() {
152 return Err(ArrowError::InvalidArgumentError(format!(
153 "Incorrect datatype for StructArray field {:?}, expected {} got {}",
154 f.name(),
155 f.data_type(),
156 a.data_type()
157 )));
158 }
159
160 if a.len() != len {
161 return Err(ArrowError::InvalidArgumentError(format!(
162 "Incorrect array length for StructArray field {:?}, expected {} got {}",
163 f.name(),
164 len,
165 a.len()
166 )));
167 }
168
169 if !f.is_nullable() {
170 if let Some(a) = a.logical_nulls() {
171 if !nulls.as_ref().map(|n| n.contains(&a)).unwrap_or_default()
172 && a.null_count() > 0
173 {
174 return Err(ArrowError::InvalidArgumentError(format!(
175 "Found unmasked nulls for non-nullable StructArray field {:?}",
176 f.name()
177 )));
178 }
179 }
180 }
181 }
182
183 Ok(Self {
184 len,
185 data_type: DataType::Struct(fields),
186 nulls: nulls.filter(|n| n.null_count() > 0),
187 fields: arrays,
188 })
189 }
190
191 pub fn new_null(fields: Fields, len: usize) -> Self {
193 let arrays = fields
194 .iter()
195 .map(|f| new_null_array(f.data_type(), len))
196 .collect();
197
198 Self {
199 len,
200 data_type: DataType::Struct(fields),
201 nulls: Some(NullBuffer::new_null(len)),
202 fields: arrays,
203 }
204 }
205
206 pub unsafe fn new_unchecked(
216 fields: Fields,
217 arrays: Vec<ArrayRef>,
218 nulls: Option<NullBuffer>,
219 ) -> Self {
220 if cfg!(feature = "force_validate") {
221 return Self::new(fields, arrays, nulls);
222 }
223
224 let len = arrays.first().map(|x| x.len()).expect(
225 "cannot use StructArray::new_unchecked if there are no fields, length is unknown",
226 );
227 Self {
228 len,
229 data_type: DataType::Struct(fields),
230 nulls,
231 fields: arrays,
232 }
233 }
234
235 pub unsafe fn new_unchecked_with_length(
241 fields: Fields,
242 arrays: Vec<ArrayRef>,
243 nulls: Option<NullBuffer>,
244 len: usize,
245 ) -> Self {
246 if cfg!(feature = "force_validate") {
247 return Self::try_new_with_length(fields, arrays, nulls, len).unwrap();
248 }
249
250 Self {
251 len,
252 data_type: DataType::Struct(fields),
253 nulls,
254 fields: arrays,
255 }
256 }
257
258 pub fn new_empty_fields(len: usize, nulls: Option<NullBuffer>) -> Self {
264 if let Some(n) = &nulls {
265 assert_eq!(len, n.len())
266 }
267 Self {
268 len,
269 data_type: DataType::Struct(Fields::empty()),
270 fields: vec![],
271 nulls,
272 }
273 }
274
275 pub fn into_parts(self) -> (Fields, Vec<ArrayRef>, Option<NullBuffer>) {
277 let f = match self.data_type {
278 DataType::Struct(f) => f,
279 _ => unreachable!(),
280 };
281 (f, self.fields, self.nulls)
282 }
283
284 pub fn column(&self, pos: usize) -> &ArrayRef {
286 &self.fields[pos]
287 }
288
289 pub fn num_columns(&self) -> usize {
291 self.fields.len()
292 }
293
294 pub fn columns(&self) -> &[ArrayRef] {
296 &self.fields
297 }
298
299 pub fn column_names(&self) -> Vec<&str> {
301 match self.data_type() {
302 DataType::Struct(fields) => fields
303 .iter()
304 .map(|f| f.name().as_str())
305 .collect::<Vec<&str>>(),
306 _ => unreachable!("Struct array's data type is not struct!"),
307 }
308 }
309
310 pub fn fields(&self) -> &Fields {
312 match self.data_type() {
313 DataType::Struct(f) => f,
314 _ => unreachable!(),
315 }
316 }
317
318 pub fn column_by_name(&self, column_name: &str) -> Option<&ArrayRef> {
324 self.column_names()
325 .iter()
326 .position(|c| c == &column_name)
327 .map(|pos| self.column(pos))
328 }
329
330 pub fn slice(&self, offset: usize, len: usize) -> Self {
332 assert!(
333 offset.saturating_add(len) <= self.len,
334 "the length + offset of the sliced StructArray cannot exceed the existing length"
335 );
336
337 let fields = self.fields.iter().map(|a| a.slice(offset, len)).collect();
338
339 Self {
340 len,
341 data_type: self.data_type.clone(),
342 nulls: self.nulls.as_ref().map(|n| n.slice(offset, len)),
343 fields,
344 }
345 }
346}
347
348impl From<ArrayData> for StructArray {
349 fn from(data: ArrayData) -> Self {
350 let parent_offset = data.offset();
351 let parent_len = data.len();
352
353 let fields = data
354 .child_data()
355 .iter()
356 .map(|cd| {
357 if parent_offset != 0 || parent_len != cd.len() {
358 make_array(cd.slice(parent_offset, parent_len))
359 } else {
360 make_array(cd.clone())
361 }
362 })
363 .collect();
364
365 Self {
366 len: data.len(),
367 data_type: data.data_type().clone(),
368 nulls: data.nulls().cloned(),
369 fields,
370 }
371 }
372}
373
374impl From<StructArray> for ArrayData {
375 fn from(array: StructArray) -> Self {
376 let builder = ArrayDataBuilder::new(array.data_type)
377 .len(array.len)
378 .nulls(array.nulls)
379 .child_data(array.fields.iter().map(|x| x.to_data()).collect());
380
381 unsafe { builder.build_unchecked() }
382 }
383}
384
385impl TryFrom<Vec<(&str, ArrayRef)>> for StructArray {
386 type Error = ArrowError;
387
388 fn try_from(values: Vec<(&str, ArrayRef)>) -> Result<Self, ArrowError> {
390 let (fields, arrays): (Vec<_>, _) = values
391 .into_iter()
392 .map(|(name, array)| {
393 (
394 Field::new(name, array.data_type().clone(), array.is_nullable()),
395 array,
396 )
397 })
398 .unzip();
399
400 StructArray::try_new(fields.into(), arrays, None)
401 }
402}
403
404impl super::private::Sealed for StructArray {}
405
406impl Array for StructArray {
407 fn as_any(&self) -> &dyn Any {
408 self
409 }
410
411 fn to_data(&self) -> ArrayData {
412 self.clone().into()
413 }
414
415 fn into_data(self) -> ArrayData {
416 self.into()
417 }
418
419 fn data_type(&self) -> &DataType {
420 &self.data_type
421 }
422
423 fn slice(&self, offset: usize, length: usize) -> ArrayRef {
424 Arc::new(self.slice(offset, length))
425 }
426
427 fn len(&self) -> usize {
428 self.len
429 }
430
431 fn is_empty(&self) -> bool {
432 self.len == 0
433 }
434
435 fn shrink_to_fit(&mut self) {
436 if let Some(nulls) = &mut self.nulls {
437 nulls.shrink_to_fit();
438 }
439 self.fields.iter_mut().for_each(|n| n.shrink_to_fit());
440 }
441
442 fn offset(&self) -> usize {
443 0
444 }
445
446 fn nulls(&self) -> Option<&NullBuffer> {
447 self.nulls.as_ref()
448 }
449
450 fn logical_null_count(&self) -> usize {
451 self.null_count()
453 }
454
455 fn get_buffer_memory_size(&self) -> usize {
456 let mut size = self.fields.iter().map(|a| a.get_buffer_memory_size()).sum();
457 if let Some(n) = self.nulls.as_ref() {
458 size += n.buffer().capacity();
459 }
460 size
461 }
462
463 fn get_array_memory_size(&self) -> usize {
464 let mut size = self.fields.iter().map(|a| a.get_array_memory_size()).sum();
465 size += std::mem::size_of::<Self>();
466 if let Some(n) = self.nulls.as_ref() {
467 size += n.buffer().capacity();
468 }
469 size
470 }
471}
472
473impl From<Vec<(FieldRef, ArrayRef)>> for StructArray {
474 fn from(v: Vec<(FieldRef, ArrayRef)>) -> Self {
475 let (fields, arrays): (Vec<_>, _) = v.into_iter().unzip();
476 StructArray::new(fields.into(), arrays, None)
477 }
478}
479
480impl std::fmt::Debug for StructArray {
481 fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
482 writeln!(f, "StructArray")?;
483 writeln!(f, "-- validity:")?;
484 writeln!(f, "[")?;
485 print_long_array(self, f, |_array, _index, f| write!(f, "valid"))?;
486 writeln!(f, "]\n[")?;
487 for (child_index, name) in self.column_names().iter().enumerate() {
488 let column = self.column(child_index);
489 writeln!(
490 f,
491 "-- child {}: \"{}\" ({:?})",
492 child_index,
493 name,
494 column.data_type()
495 )?;
496 std::fmt::Debug::fmt(column, f)?;
497 writeln!(f)?;
498 }
499 write!(f, "]")
500 }
501}
502
503impl From<(Vec<(FieldRef, ArrayRef)>, Buffer)> for StructArray {
504 fn from(pair: (Vec<(FieldRef, ArrayRef)>, Buffer)) -> Self {
505 let len = pair.0.first().map(|x| x.1.len()).unwrap_or_default();
506 let (fields, arrays): (Vec<_>, Vec<_>) = pair.0.into_iter().unzip();
507 let nulls = NullBuffer::new(BooleanBuffer::new(pair.1, 0, len));
508 Self::new(fields.into(), arrays, Some(nulls))
509 }
510}
511
512impl From<RecordBatch> for StructArray {
513 fn from(value: RecordBatch) -> Self {
514 Self {
515 len: value.num_rows(),
516 data_type: DataType::Struct(value.schema().fields().clone()),
517 nulls: None,
518 fields: value.columns().to_vec(),
519 }
520 }
521}
522
523impl Index<&str> for StructArray {
524 type Output = ArrayRef;
525
526 fn index(&self, name: &str) -> &Self::Output {
536 self.column_by_name(name).unwrap()
537 }
538}
539
540#[cfg(test)]
541mod tests {
542 use super::*;
543
544 use crate::{BooleanArray, Float32Array, Float64Array, Int32Array, Int64Array, StringArray};
545 use arrow_buffer::ToByteSlice;
546
547 #[test]
548 fn test_struct_array_builder() {
549 let boolean_array = BooleanArray::from(vec![false, false, true, true]);
550 let int_array = Int64Array::from(vec![42, 28, 19, 31]);
551
552 let fields = vec![
553 Field::new("a", DataType::Boolean, false),
554 Field::new("b", DataType::Int64, false),
555 ];
556 let struct_array_data = ArrayData::builder(DataType::Struct(fields.into()))
557 .len(4)
558 .add_child_data(boolean_array.to_data())
559 .add_child_data(int_array.to_data())
560 .build()
561 .unwrap();
562 let struct_array = StructArray::from(struct_array_data);
563
564 assert_eq!(struct_array.column(0).as_ref(), &boolean_array);
565 assert_eq!(struct_array.column(1).as_ref(), &int_array);
566 }
567
568 #[test]
569 fn test_struct_array_from() {
570 let boolean = Arc::new(BooleanArray::from(vec![false, false, true, true]));
571 let int = Arc::new(Int32Array::from(vec![42, 28, 19, 31]));
572
573 let struct_array = StructArray::from(vec![
574 (
575 Arc::new(Field::new("b", DataType::Boolean, false)),
576 boolean.clone() as ArrayRef,
577 ),
578 (
579 Arc::new(Field::new("c", DataType::Int32, false)),
580 int.clone() as ArrayRef,
581 ),
582 ]);
583 assert_eq!(struct_array.column(0).as_ref(), boolean.as_ref());
584 assert_eq!(struct_array.column(1).as_ref(), int.as_ref());
585 assert_eq!(4, struct_array.len());
586 assert_eq!(0, struct_array.null_count());
587 assert_eq!(0, struct_array.offset());
588 }
589
590 #[test]
591 fn test_struct_array_from_data_with_offset_and_length() {
592 let int_arr = Int32Array::from(vec![1, 2, 3, 4, 5]);
598 let int_field = Field::new("x", DataType::Int32, false);
599 let struct_nulls = NullBuffer::new(BooleanBuffer::from(vec![true, true, false]));
600 let int_data = int_arr.to_data();
601 let case1 = ArrayData::builder(DataType::Struct(Fields::from(vec![int_field.clone()])))
603 .len(3)
604 .offset(1)
605 .nulls(Some(struct_nulls))
606 .add_child_data(int_data.clone())
607 .build()
608 .unwrap();
609
610 let struct_nulls =
612 NullBuffer::new(BooleanBuffer::from(vec![true, true, true, false, true]).slice(1, 3));
613 let case2 = ArrayData::builder(DataType::Struct(Fields::from(vec![int_field.clone()])))
614 .len(3)
615 .offset(1)
616 .nulls(Some(struct_nulls.clone()))
617 .add_child_data(int_data.clone())
618 .build()
619 .unwrap();
620
621 let offset_int_data = int_data.slice(1, 4);
623 let case3 = ArrayData::builder(DataType::Struct(Fields::from(vec![int_field.clone()])))
624 .len(3)
625 .nulls(Some(struct_nulls))
626 .add_child_data(offset_int_data)
627 .build()
628 .unwrap();
629
630 let expected = StructArray::new(
631 Fields::from(vec![int_field.clone()]),
632 vec![Arc::new(int_arr)],
633 Some(NullBuffer::new(BooleanBuffer::from(vec![
634 true, true, true, false, true,
635 ]))),
636 )
637 .slice(1, 3);
638
639 for case in [case1, case2, case3] {
640 let struct_arr_from_data = StructArray::from(case);
641 assert_eq!(struct_arr_from_data, expected);
642 assert_eq!(struct_arr_from_data.column(0), expected.column(0));
643 }
644 }
645
646 #[test]
647 #[should_panic(expected = "assertion failed: (offset + length) <= self.len()")]
648 fn test_struct_array_from_data_with_offset_and_length_error() {
649 let int_arr = Int32Array::from(vec![1, 2, 3, 4, 5]);
650 let int_field = Field::new("x", DataType::Int32, false);
651 let struct_nulls = NullBuffer::new(BooleanBuffer::from(vec![true, true, false]));
652 let int_data = int_arr.to_data();
653 let struct_data =
655 ArrayData::builder(DataType::Struct(Fields::from(vec![int_field.clone()])))
656 .len(3)
657 .offset(3)
658 .nulls(Some(struct_nulls))
659 .add_child_data(int_data)
660 .build()
661 .unwrap();
662 let _ = StructArray::from(struct_data);
663 }
664
665 #[test]
667 fn test_struct_array_index_access() {
668 let boolean = Arc::new(BooleanArray::from(vec![false, false, true, true]));
669 let int = Arc::new(Int32Array::from(vec![42, 28, 19, 31]));
670
671 let struct_array = StructArray::from(vec![
672 (
673 Arc::new(Field::new("b", DataType::Boolean, false)),
674 boolean.clone() as ArrayRef,
675 ),
676 (
677 Arc::new(Field::new("c", DataType::Int32, false)),
678 int.clone() as ArrayRef,
679 ),
680 ]);
681 assert_eq!(struct_array["b"].as_ref(), boolean.as_ref());
682 assert_eq!(struct_array["c"].as_ref(), int.as_ref());
683 }
684
685 #[test]
687 fn test_struct_array_from_vec() {
688 let strings: ArrayRef = Arc::new(StringArray::from(vec![
689 Some("joe"),
690 None,
691 None,
692 Some("mark"),
693 ]));
694 let ints: ArrayRef = Arc::new(Int32Array::from(vec![Some(1), Some(2), None, Some(4)]));
695
696 let arr =
697 StructArray::try_from(vec![("f1", strings.clone()), ("f2", ints.clone())]).unwrap();
698
699 let struct_data = arr.into_data();
700 assert_eq!(4, struct_data.len());
701 assert_eq!(0, struct_data.null_count());
702
703 let expected_string_data = ArrayData::builder(DataType::Utf8)
704 .len(4)
705 .null_bit_buffer(Some(Buffer::from(&[9_u8])))
706 .add_buffer(Buffer::from([0, 3, 3, 3, 7].to_byte_slice()))
707 .add_buffer(Buffer::from(b"joemark"))
708 .build()
709 .unwrap();
710
711 let expected_int_data = ArrayData::builder(DataType::Int32)
712 .len(4)
713 .null_bit_buffer(Some(Buffer::from(&[11_u8])))
714 .add_buffer(Buffer::from([1, 2, 0, 4].to_byte_slice()))
715 .build()
716 .unwrap();
717
718 assert_eq!(expected_string_data, struct_data.child_data()[0]);
719 assert_eq!(expected_int_data, struct_data.child_data()[1]);
720 }
721
722 #[test]
723 fn test_struct_array_from_vec_error() {
724 let strings: ArrayRef = Arc::new(StringArray::from(vec![
725 Some("joe"),
726 None,
727 None,
728 ]));
730 let ints: ArrayRef = Arc::new(Int32Array::from(vec![Some(1), Some(2), None, Some(4)]));
731
732 let err = StructArray::try_from(vec![("f1", strings.clone()), ("f2", ints.clone())])
733 .unwrap_err()
734 .to_string();
735
736 assert_eq!(
737 err,
738 "Invalid argument error: Incorrect array length for StructArray field \"f2\", expected 3 got 4"
739 )
740 }
741
742 #[test]
743 #[should_panic(
744 expected = "Incorrect datatype for StructArray field \\\"b\\\", expected Int16 got Boolean"
745 )]
746 fn test_struct_array_from_mismatched_types_single() {
747 drop(StructArray::from(vec![(
748 Arc::new(Field::new("b", DataType::Int16, false)),
749 Arc::new(BooleanArray::from(vec![false, false, true, true])) as Arc<dyn Array>,
750 )]));
751 }
752
753 #[test]
754 #[should_panic(
755 expected = "Incorrect datatype for StructArray field \\\"b\\\", expected Int16 got Boolean"
756 )]
757 fn test_struct_array_from_mismatched_types_multiple() {
758 drop(StructArray::from(vec![
759 (
760 Arc::new(Field::new("b", DataType::Int16, false)),
761 Arc::new(BooleanArray::from(vec![false, false, true, true])) as Arc<dyn Array>,
762 ),
763 (
764 Arc::new(Field::new("c", DataType::Utf8, false)),
765 Arc::new(Int32Array::from(vec![42, 28, 19, 31])),
766 ),
767 ]));
768 }
769
770 #[test]
771 fn test_struct_array_slice() {
772 let boolean_data = ArrayData::builder(DataType::Boolean)
773 .len(5)
774 .add_buffer(Buffer::from([0b00010000]))
775 .null_bit_buffer(Some(Buffer::from([0b00010001])))
776 .build()
777 .unwrap();
778 let int_data = ArrayData::builder(DataType::Int32)
779 .len(5)
780 .add_buffer(Buffer::from([0, 28, 42, 0, 0].to_byte_slice()))
781 .null_bit_buffer(Some(Buffer::from([0b00000110])))
782 .build()
783 .unwrap();
784
785 let field_types = vec![
786 Field::new("a", DataType::Boolean, true),
787 Field::new("b", DataType::Int32, true),
788 ];
789 let struct_array_data = ArrayData::builder(DataType::Struct(field_types.into()))
790 .len(5)
791 .add_child_data(boolean_data.clone())
792 .add_child_data(int_data.clone())
793 .null_bit_buffer(Some(Buffer::from([0b00010111])))
794 .build()
795 .unwrap();
796 let struct_array = StructArray::from(struct_array_data);
797
798 assert_eq!(5, struct_array.len());
799 assert_eq!(1, struct_array.null_count());
800 assert!(struct_array.is_valid(0));
801 assert!(struct_array.is_valid(1));
802 assert!(struct_array.is_valid(2));
803 assert!(struct_array.is_null(3));
804 assert!(struct_array.is_valid(4));
805 assert_eq!(boolean_data, struct_array.column(0).to_data());
806 assert_eq!(int_data, struct_array.column(1).to_data());
807
808 let c0 = struct_array.column(0);
809 let c0 = c0.as_any().downcast_ref::<BooleanArray>().unwrap();
810 assert_eq!(5, c0.len());
811 assert_eq!(3, c0.null_count());
812 assert!(c0.is_valid(0));
813 assert!(!c0.value(0));
814 assert!(c0.is_null(1));
815 assert!(c0.is_null(2));
816 assert!(c0.is_null(3));
817 assert!(c0.is_valid(4));
818 assert!(c0.value(4));
819
820 let c1 = struct_array.column(1);
821 let c1 = c1.as_any().downcast_ref::<Int32Array>().unwrap();
822 assert_eq!(5, c1.len());
823 assert_eq!(3, c1.null_count());
824 assert!(c1.is_null(0));
825 assert!(c1.is_valid(1));
826 assert_eq!(28, c1.value(1));
827 assert!(c1.is_valid(2));
828 assert_eq!(42, c1.value(2));
829 assert!(c1.is_null(3));
830 assert!(c1.is_null(4));
831
832 let sliced_array = struct_array.slice(2, 3);
833 let sliced_array = sliced_array.as_any().downcast_ref::<StructArray>().unwrap();
834 assert_eq!(3, sliced_array.len());
835 assert_eq!(1, sliced_array.null_count());
836 assert!(sliced_array.is_valid(0));
837 assert!(sliced_array.is_null(1));
838 assert!(sliced_array.is_valid(2));
839
840 let sliced_c0 = sliced_array.column(0);
841 let sliced_c0 = sliced_c0.as_any().downcast_ref::<BooleanArray>().unwrap();
842 assert_eq!(3, sliced_c0.len());
843 assert!(sliced_c0.is_null(0));
844 assert!(sliced_c0.is_null(1));
845 assert!(sliced_c0.is_valid(2));
846 assert!(sliced_c0.value(2));
847
848 let sliced_c1 = sliced_array.column(1);
849 let sliced_c1 = sliced_c1.as_any().downcast_ref::<Int32Array>().unwrap();
850 assert_eq!(3, sliced_c1.len());
851 assert!(sliced_c1.is_valid(0));
852 assert_eq!(42, sliced_c1.value(0));
853 assert!(sliced_c1.is_null(1));
854 assert!(sliced_c1.is_null(2));
855 }
856
857 #[test]
858 #[should_panic(
859 expected = "Incorrect array length for StructArray field \\\"c\\\", expected 1 got 2"
860 )]
861 fn test_invalid_struct_child_array_lengths() {
862 drop(StructArray::from(vec![
863 (
864 Arc::new(Field::new("b", DataType::Float32, false)),
865 Arc::new(Float32Array::from(vec![1.1])) as Arc<dyn Array>,
866 ),
867 (
868 Arc::new(Field::new("c", DataType::Float64, false)),
869 Arc::new(Float64Array::from(vec![2.2, 3.3])),
870 ),
871 ]));
872 }
873
874 #[test]
875 #[should_panic(expected = "use StructArray::try_new_with_length")]
876 fn test_struct_array_from_empty() {
877 let _ = StructArray::from(vec![]);
880 }
881
882 #[test]
883 fn test_empty_struct_array() {
884 assert!(StructArray::try_new(Fields::empty(), vec![], None).is_err());
885
886 let arr = StructArray::new_empty_fields(10, None);
887 assert_eq!(arr.len(), 10);
888 assert_eq!(arr.null_count(), 0);
889 assert_eq!(arr.num_columns(), 0);
890
891 let arr2 = StructArray::try_new_with_length(Fields::empty(), vec![], None, 10).unwrap();
892 assert_eq!(arr2.len(), 10);
893
894 let arr = StructArray::new_empty_fields(10, Some(NullBuffer::new_null(10)));
895 assert_eq!(arr.len(), 10);
896 assert_eq!(arr.null_count(), 10);
897 assert_eq!(arr.num_columns(), 0);
898
899 let arr2 = StructArray::try_new_with_length(
900 Fields::empty(),
901 vec![],
902 Some(NullBuffer::new_null(10)),
903 10,
904 )
905 .unwrap();
906 assert_eq!(arr2.len(), 10);
907 }
908
909 #[test]
910 #[should_panic(expected = "Found unmasked nulls for non-nullable StructArray field \\\"c\\\"")]
911 fn test_struct_array_from_mismatched_nullability() {
912 drop(StructArray::from(vec![(
913 Arc::new(Field::new("c", DataType::Int32, false)),
914 Arc::new(Int32Array::from(vec![Some(42), None, Some(19)])) as ArrayRef,
915 )]));
916 }
917
918 #[test]
919 fn test_struct_array_fmt_debug() {
920 let arr: StructArray = StructArray::new(
921 vec![Arc::new(Field::new("c", DataType::Int32, true))].into(),
922 vec![Arc::new(Int32Array::from((0..30).collect::<Vec<_>>())) as ArrayRef],
923 Some(NullBuffer::new(BooleanBuffer::from(
924 (0..30).map(|i| i % 2 == 0).collect::<Vec<_>>(),
925 ))),
926 );
927 assert_eq!(
928 format!("{arr:?}"),
929 "StructArray\n-- validity:\n[\n valid,\n null,\n valid,\n null,\n valid,\n null,\n valid,\n null,\n valid,\n null,\n ...10 elements...,\n valid,\n null,\n valid,\n null,\n valid,\n null,\n valid,\n null,\n valid,\n null,\n]\n[\n-- child 0: \"c\" (Int32)\nPrimitiveArray<Int32>\n[\n 0,\n 1,\n 2,\n 3,\n 4,\n 5,\n 6,\n 7,\n 8,\n 9,\n ...10 elements...,\n 20,\n 21,\n 22,\n 23,\n 24,\n 25,\n 26,\n 27,\n 28,\n 29,\n]\n]"
930 )
931 }
932
933 #[test]
934 fn test_struct_array_logical_nulls() {
935 let field = Field::new("a", DataType::Int32, false);
937 let values = vec![1, 2, 3];
938 let nulls = NullBuffer::from(vec![true, true, true]);
940 let array = Int32Array::new(values.into(), Some(nulls));
941 let child = Arc::new(array) as ArrayRef;
942 assert!(child.logical_nulls().is_some());
943 assert_eq!(child.logical_nulls().unwrap().null_count(), 0);
944
945 let fields = Fields::from(vec![field]);
946 let arrays = vec![child];
947 let nulls = None;
948
949 StructArray::try_new(fields, arrays, nulls).expect("should not error");
950 }
951}