#[repr(C, align(64))]pub enum Array {
NumericArray(NumericArray),
TextArray(TextArray),
TemporalArray(TemporalArray),
BooleanArray(Arc<BooleanArray<()>>),
Null,
}Expand description
§Array
Standard Array type. Wrap in a FieldArray when using inside a Table
or as a standalone value requiring tagged metadata.
§Overview
The dual-enum approach may look verbose but works well in practice:
- Enables clean function signatures with direct access to concrete types
(e.g.
&NumericArray), supporting trait-aligned dispatch without exhaustive matches at every call site. - Supports ergonomic categorisation: functions typically match on the outer enum for broad category handling (numeric, text, temporal, boolean), while allowing inner variant matching for precise type handling.
- The focused typeset (no nested types) helps keeps enum size efficient as memory is allocated for the largest variant.
§Usage
Functions can accept references tailored to the intended match granularity:
&IntegerArray: direct reference to the inner type e.g.,arr.num().i64().&NumericArray: any numeric type viaarr.num().&Array: match on categories or individual types.
§Benefits
- No heap allocation or runtime indirection - all enum variants are inline with minimal discriminant cost.
- Unified call sites with compiler-enforced type safety.
- Easy casting to inner types (e.g.,
.str()for strings). - Supports aggressive compiler inlining, unlike approaches relying on dynamic dispatch and downcasting.
§Trade-offs
- Adds ~30–100 ns latency compared to direct inner type calls - only noticeable in extreme low-latency contexts such as HFT.
- Requires enum matching at dispatch sites compared to direct inner type usage.
§Examples
use minarrow::{
Array, IntegerArray, NumericArray, arr_bool, arr_cat32, arr_f64, arr_i32, arr_i64,
arr_str32, vec64
};
// Fast macro construction
let int_arr = arr_i32![1, 2, 3, 4];
let float_arr = arr_f64![0.5, 1.5, 2.5];
let bool_arr = arr_bool![true, false, true];
let str_arr = arr_str32!["a", "b", "c"];
let cat_arr = arr_cat32!["x", "y", "x", "z"];
assert_eq!(int_arr.len(), 4);
assert_eq!(str_arr.len(), 3);
// Manual construction
let int = IntegerArray::<i64>::from_slice(&[100, 200]);
let wrapped: NumericArray = NumericArray::Int64(std::sync::Arc::new(int));
let array = Array::NumericArray(wrapped);Variants§
NumericArray(NumericArray)
TextArray(TextArray)
TemporalArray(TemporalArray)
BooleanArray(Arc<BooleanArray<()>>)
Null
Implementations§
Source§impl Array
impl Array
Sourcepub fn from_int8(arr: IntegerArray<i8>) -> Self
pub fn from_int8(arr: IntegerArray<i8>) -> Self
Creates an Array enum with an Int8 array.
Sourcepub fn from_uint8(arr: IntegerArray<u8>) -> Self
pub fn from_uint8(arr: IntegerArray<u8>) -> Self
Creates an Array enum with an UInt8 array.
Sourcepub fn from_int16(arr: IntegerArray<i16>) -> Self
pub fn from_int16(arr: IntegerArray<i16>) -> Self
Creates an Array enum with an Int16 array.
Sourcepub fn from_uint16(arr: IntegerArray<u16>) -> Self
pub fn from_uint16(arr: IntegerArray<u16>) -> Self
Creates an Array enum with an UInt16 array.
Sourcepub fn from_int32(arr: IntegerArray<i32>) -> Self
pub fn from_int32(arr: IntegerArray<i32>) -> Self
Creates an Array enum with an Int32 array.
Sourcepub fn from_int64(arr: IntegerArray<i64>) -> Self
pub fn from_int64(arr: IntegerArray<i64>) -> Self
Creates an Array enum with an Int64 array.
Sourcepub fn from_uint32(arr: IntegerArray<u32>) -> Self
pub fn from_uint32(arr: IntegerArray<u32>) -> Self
Creates an Array enum with a UInt32 array.
Sourcepub fn from_uint64(arr: IntegerArray<u64>) -> Self
pub fn from_uint64(arr: IntegerArray<u64>) -> Self
Creates an Array enum with an UInt64 array.
Sourcepub fn from_float32(arr: FloatArray<f32>) -> Self
pub fn from_float32(arr: FloatArray<f32>) -> Self
Creates an Array enum with a Float32 array.
Sourcepub fn from_float64(arr: FloatArray<f64>) -> Self
pub fn from_float64(arr: FloatArray<f64>) -> Self
Creates an Array enum with a Float64 array.
Sourcepub fn from_string32(arr: StringArray<u32>) -> Self
pub fn from_string32(arr: StringArray<u32>) -> Self
Creates an Array enum with a String32 array.
Sourcepub fn from_string64(arr: StringArray<u64>) -> Self
pub fn from_string64(arr: StringArray<u64>) -> Self
Creates an Array enum with a String64 array.
Sourcepub fn from_categorical32(arr: CategoricalArray<u32>) -> Self
pub fn from_categorical32(arr: CategoricalArray<u32>) -> Self
Creates an Array enum with a Categorical32 array.
Sourcepub fn from_categorical8(arr: CategoricalArray<u8>) -> Self
pub fn from_categorical8(arr: CategoricalArray<u8>) -> Self
Creates an Array enum with a Categorical8 array.
Sourcepub fn from_categorical16(arr: CategoricalArray<u16>) -> Self
pub fn from_categorical16(arr: CategoricalArray<u16>) -> Self
Creates an Array enum with a Categorical16 array.
Sourcepub fn from_categorical64(arr: CategoricalArray<u64>) -> Self
pub fn from_categorical64(arr: CategoricalArray<u64>) -> Self
Creates an Array enum with a Categorical64 array.
Sourcepub fn from_datetime_i32(arr: DatetimeArray<i32>) -> Self
pub fn from_datetime_i32(arr: DatetimeArray<i32>) -> Self
Creates an Array enum with a DatetimeI32 array.
Sourcepub fn from_datetime_i64(arr: DatetimeArray<i64>) -> Self
pub fn from_datetime_i64(arr: DatetimeArray<i64>) -> Self
Creates an Array enum with a DatetimeI64 array.
Sourcepub fn from_bool(arr: BooleanArray<()>) -> Self
pub fn from_bool(arr: BooleanArray<()>) -> Self
Creates an Array enum with a Boolean array.
Sourcepub fn fa(self, name: impl Into<String>) -> FieldArray
pub fn fa(self, name: impl Into<String>) -> FieldArray
Wraps this Array in a FieldArray with the given name.
Infers the Arrow type and nullability from the array itself.
§Example
use minarrow::{Array, IntegerArray, MaskedArray};
let mut arr = IntegerArray::<i32>::default();
arr.push(1);
arr.push(2);
let array = Array::from_int32(arr);
let field_array = array.fa("my_column");
assert_eq!(field_array.field.name, "my_column");Sourcepub fn num_ref(&self) -> Result<&NumericArray, MinarrowError>
pub fn num_ref(&self) -> Result<&NumericArray, MinarrowError>
Returns a reference to the inner NumericArray if the variant matches.
No conversion or cloning is performed.
Sourcepub fn str_ref(&self) -> Result<&TextArray, MinarrowError>
pub fn str_ref(&self) -> Result<&TextArray, MinarrowError>
Returns a reference to the inner TextArray if the variant matches.
No conversion or cloning is performed.
Sourcepub fn bool_ref(&self) -> Result<&BooleanArray<()>, MinarrowError>
pub fn bool_ref(&self) -> Result<&BooleanArray<()>, MinarrowError>
Returns a reference to the inner BooleanArray if the variant matches.
No conversion or cloning is performed.
Sourcepub fn dt_ref(&self) -> Result<&TemporalArray, MinarrowError>
pub fn dt_ref(&self) -> Result<&TemporalArray, MinarrowError>
Returns a reference to the inner TemporalArray if the variant matches.
No conversion or cloning is performed.
Sourcepub fn try_i32_ref(&self) -> Result<&IntegerArray<i32>, MinarrowError>
pub fn try_i32_ref(&self) -> Result<&IntegerArray<i32>, MinarrowError>
Returns a reference to the inner IntegerArray<i32>.
Sourcepub fn try_i64_ref(&self) -> Result<&IntegerArray<i64>, MinarrowError>
pub fn try_i64_ref(&self) -> Result<&IntegerArray<i64>, MinarrowError>
Returns a reference to the inner IntegerArray<i64>.
Sourcepub fn try_u32_ref(&self) -> Result<&IntegerArray<u32>, MinarrowError>
pub fn try_u32_ref(&self) -> Result<&IntegerArray<u32>, MinarrowError>
Returns a reference to the inner IntegerArray<u32>.
Sourcepub fn try_u64_ref(&self) -> Result<&IntegerArray<u64>, MinarrowError>
pub fn try_u64_ref(&self) -> Result<&IntegerArray<u64>, MinarrowError>
Returns a reference to the inner IntegerArray<u64>.
Sourcepub fn try_f32_ref(&self) -> Result<&FloatArray<f32>, MinarrowError>
pub fn try_f32_ref(&self) -> Result<&FloatArray<f32>, MinarrowError>
Returns a reference to the inner FloatArray<f32>.
Sourcepub fn try_f64_ref(&self) -> Result<&FloatArray<f64>, MinarrowError>
pub fn try_f64_ref(&self) -> Result<&FloatArray<f64>, MinarrowError>
Returns a reference to the inner FloatArray<f64>.
Sourcepub fn try_i8_ref(&self) -> Result<&IntegerArray<i8>, MinarrowError>
pub fn try_i8_ref(&self) -> Result<&IntegerArray<i8>, MinarrowError>
Returns a reference to the inner IntegerArray<i8>.
Sourcepub fn try_i16_ref(&self) -> Result<&IntegerArray<i16>, MinarrowError>
pub fn try_i16_ref(&self) -> Result<&IntegerArray<i16>, MinarrowError>
Returns a reference to the inner IntegerArray<i16>.
Sourcepub fn try_u8_ref(&self) -> Result<&IntegerArray<u8>, MinarrowError>
pub fn try_u8_ref(&self) -> Result<&IntegerArray<u8>, MinarrowError>
Returns a reference to the inner IntegerArray<u8>.
Sourcepub fn try_u16_ref(&self) -> Result<&IntegerArray<u16>, MinarrowError>
pub fn try_u16_ref(&self) -> Result<&IntegerArray<u16>, MinarrowError>
Returns a reference to the inner IntegerArray<u16>.
Sourcepub fn try_str32_ref(&self) -> Result<&StringArray<u32>, MinarrowError>
pub fn try_str32_ref(&self) -> Result<&StringArray<u32>, MinarrowError>
Returns a reference to the inner StringArray<u32>.
Sourcepub fn try_str64_ref(&self) -> Result<&StringArray<u64>, MinarrowError>
pub fn try_str64_ref(&self) -> Result<&StringArray<u64>, MinarrowError>
Returns a reference to the inner StringArray<u64>.
Sourcepub fn try_cat32_ref(&self) -> Result<&CategoricalArray<u32>, MinarrowError>
pub fn try_cat32_ref(&self) -> Result<&CategoricalArray<u32>, MinarrowError>
Returns a reference to the inner CategoricalArray<u32>.
Sourcepub fn try_cat8_ref(&self) -> Result<&CategoricalArray<u8>, MinarrowError>
pub fn try_cat8_ref(&self) -> Result<&CategoricalArray<u8>, MinarrowError>
Returns a reference to the inner CategoricalArray<u8>.
Sourcepub fn try_cat16_ref(&self) -> Result<&CategoricalArray<u16>, MinarrowError>
pub fn try_cat16_ref(&self) -> Result<&CategoricalArray<u16>, MinarrowError>
Returns a reference to the inner CategoricalArray<u16>.
Sourcepub fn try_cat64_ref(&self) -> Result<&CategoricalArray<u64>, MinarrowError>
pub fn try_cat64_ref(&self) -> Result<&CategoricalArray<u64>, MinarrowError>
Returns a reference to the inner CategoricalArray<u64>.
Sourcepub fn try_dt32_ref(&self) -> Result<&DatetimeArray<i32>, MinarrowError>
pub fn try_dt32_ref(&self) -> Result<&DatetimeArray<i32>, MinarrowError>
Returns a reference to the inner DatetimeArray<i32>.
Sourcepub fn try_dt64_ref(&self) -> Result<&DatetimeArray<i64>, MinarrowError>
pub fn try_dt64_ref(&self) -> Result<&DatetimeArray<i64>, MinarrowError>
Returns a reference to the inner DatetimeArray<i64>.
Sourcepub fn num(self) -> NumericArray
pub fn num(self) -> NumericArray
Returns an inner NumericArray, consuming self.
- If already a
NumericArray, consumes and returns the inner value with no clone. - Other types: casts and copies.
Sourcepub fn str(self) -> TextArray
pub fn str(self) -> TextArray
Returns an inner TextArray, consuming self.
- If already a
TextArray, consumes and returns the inner value with no clone. - Other types: casts (to string) and copies.
Sourcepub fn bool(self) -> Arc<BooleanArray<()>>
pub fn bool(self) -> Arc<BooleanArray<()>>
Returns the inner BooleanArray, consuming self.
- If already a
BooleanArray, consumes and returns the inner value with no clone. - Other types: calculates the boolean mask based on whether the value is present, and non-zero,
and copies. In these cases, any null mask is preserved, rather than becoming
false.
Sourcepub fn dt(self) -> TemporalArray
pub fn dt(self) -> TemporalArray
Returns the inner TemporalArray, consuming self.
- If already a
TemporalArray, consumes and returns the inner value with no clone. - Other types: casts and (often) copies using clone on write.
§Datetime conversions
- String parses a timestamp in milliseconds since the Unix epoch.
If the
datetime_opsfeature is on, it also attempts common ISO8601/RFC3339 and%Y-%m-%dformats. Keep this in mind, because your API will break if you toggle thedatetime_opsfeature on/off but keep the previous code. - Integer becomes milliseconds since epoch.
- Floats round as integers to milliseconds since epoch.
- Boolean returns
TemporalArray::Null.
Sourcepub fn view(&self, offset: usize, len: usize) -> ArrayV
pub fn view(&self, offset: usize, len: usize) -> ArrayV
Returns a metadata view and reference over the specified window of this array.
Does not slice the object (yet).
Panics if out of bounds.
Sourcepub fn view_tuple(&self, offset: usize, len: usize) -> ArrayVT<'_>
pub fn view_tuple(&self, offset: usize, len: usize) -> ArrayVT<'_>
Returns a metadata view and reference over the specified window of this array.
Does not slice the object (yet).
Panics if out of bounds.
Sourcepub fn inner<T: 'static>(&self) -> &Arc<T>
pub fn inner<T: 'static>(&self) -> &Arc<T>
Returns a reference to the inner array as type Arc<T>.
This is compile-time safe if T matches the actual payload, but will panic otherwise.
Prefer .inner_check() for Option-based pattern.
Sourcepub fn inner_mut<T: 'static>(&mut self) -> &mut Arc<T>
pub fn inner_mut<T: 'static>(&mut self) -> &mut Arc<T>
Returns a mutable reference to the inner array as type T.
This method is compile-time safe when the type T matches the actual inner type,
but relies on TypeId checks and unsafe casting. If an incorrect type is specified,
this will panic at runtime.
Prefer inner_check_mut if you want an Option-based version that avoids panics.
Sourcepub fn inner_check<T: 'static>(&self) -> Option<&Arc<T>>
pub fn inner_check<T: 'static>(&self) -> Option<&Arc<T>>
Returns a reference to the inner array as type T, if the type matches.
This method performs a runtime TypeId check to verify that the provided type T
corresponds to the actual inner variant. If the types match, returns Some(&T);
otherwise, returns None without panicking.
Use when the type of the variant is uncertain at compile time.
Sourcepub fn inner_check_mut<T: 'static>(&mut self) -> Option<&mut Arc<T>>
pub fn inner_check_mut<T: 'static>(&mut self) -> Option<&mut Arc<T>>
Returns a mutable reference to the inner array as type T, if the type matches.
This method performs a runtime TypeId check to verify that the provided type T
corresponds to the actual inner variant. If the types match, returns Some(&mut T);
otherwise, returns None without panicking.
Use when the type of the variant is uncertain at compile time.
pub fn as_slice<T>(&self, offset: usize, len: usize) -> &[T]
pub fn slice_raw<T: 'static>(&self, offset: usize, len: usize) -> Option<&[T]>
Sourcepub fn slice_clone(&self, offset: usize, len: usize) -> Self
pub fn slice_clone(&self, offset: usize, len: usize) -> Self
Returns a new Array of the same variant sliced to the given offset and length
.
Copies the data of the scoped range that’s selected.
If out-of-bounds, returns Self::Null. All null mask, offsets, etc. are trimmed.
Sourcepub fn arrow_type(&self) -> ArrowType
pub fn arrow_type(&self) -> ArrowType
Arrow physical type for this array.
Sourcepub fn is_nullable(&self) -> bool
pub fn is_nullable(&self) -> bool
Column nullability
Sourcepub fn is_categorical_array(&self) -> bool
pub fn is_categorical_array(&self) -> bool
Returns true if this is a categorical array.
Sourcepub fn is_string_array(&self) -> bool
pub fn is_string_array(&self) -> bool
Returns true if this is a string array i.e. non-categorical text.
Sourcepub fn is_text_array(&self) -> bool
pub fn is_text_array(&self) -> bool
Returns true if this is any text array, string or categorical.
Sourcepub fn is_boolean_array(&self) -> bool
pub fn is_boolean_array(&self) -> bool
Returns true if this is a boolean array.
Sourcepub fn is_integer_array(&self) -> bool
pub fn is_integer_array(&self) -> bool
Returns true if this is an integer array.
Sourcepub fn is_float_array(&self) -> bool
pub fn is_float_array(&self) -> bool
Returns true if this is a floating-point array.
Sourcepub fn is_numerical_array(&self) -> bool
pub fn is_numerical_array(&self) -> bool
Returns true if this is any numeric array, integer or float.
Sourcepub fn is_datetime_array(&self) -> bool
pub fn is_datetime_array(&self) -> bool
Returns true if this is a datetime/temporal array.
Sourcepub fn value_to_string(&self, idx: usize) -> String
pub fn value_to_string(&self, idx: usize) -> String
Format the element at idx as a human-readable string.
Returns "null" for null elements. Uses the same formatting as
the array’s Display implementation.
Sourcepub fn compare_at(&self, i: usize, j: usize) -> Ordering
pub fn compare_at(&self, i: usize, j: usize) -> Ordering
Compare two elements within the same array by index.
Uses total ordering for floats via total_cmp(). Nulls sort last:
null > any value, null == null.
Sourcepub fn hash_element_at<H: Hasher>(&self, idx: usize, state: &mut H)
pub fn hash_element_at<H: Hasher>(&self, idx: usize, state: &mut H)
Hash the element at idx into the provided hasher.
Null elements hash a fixed sentinel. Floats use to_bits() so
the hash is consistent with the to_bits() equality convention.
Sourcepub fn set_null_mask(&mut self, mask: Bitmask)
pub fn set_null_mask(&mut self, mask: Bitmask)
Set null mask on Array by matching on variants
Sourcepub fn data_ptr_and_byte_len(&self) -> (*const u8, usize, usize)
pub fn data_ptr_and_byte_len(&self) -> (*const u8, usize, usize)
Returns a pointer to the backing data (contiguous bytes), length in elements, and element size.
This is not logical length - it is total raw bytes in the buffer, so for non-fixed width types such as bit-packed booleans or strings, please factor this in accordingly.
Sourcepub fn null_mask_ptr_and_byte_len(&self) -> Option<(*const u8, usize)>
pub fn null_mask_ptr_and_byte_len(&self) -> Option<(*const u8, usize)>
Returns a pointer to the null mask and its length in bytes, if present.
Sourcepub fn offsets_ptr_and_len(&self) -> Option<(*const u8, usize)>
pub fn offsets_ptr_and_len(&self) -> Option<(*const u8, usize)>
Offsets pointer/len for variable-length types
Sourcepub fn null_count(&self) -> usize
pub fn null_count(&self) -> usize
Returns the null count of the array
Sourcepub fn concat_array(&mut self, other: &Self)
pub fn concat_array(&mut self, other: &Self)
Appends all values (and null mask if present) from other into self.
Panics if the two arrays are of different variants or incompatible types.
This function uses copy-on-write semantics for arrays wrapped in Arc.
If self is the only owner of its data, appends are performed in place without copying the first array.
If the array data is shared (Arc reference count > 1), the data is first cloned
(so the mutation does not affect other owners), and the append is then performed on the unique copy.
The second array is allocated into the buffer, which is standard.
Sourcepub fn insert_rows(
&mut self,
index: usize,
other: &Self,
) -> Result<(), MinarrowError>
pub fn insert_rows( &mut self, index: usize, other: &Self, ) -> Result<(), MinarrowError>
Inserts all values (and null mask if present) from other into self at the specified index.
This is an O(n) operation.
Returns an error if the two arrays are of different variants or incompatible types, or if the index is out of bounds.
Sourcepub fn split(
self,
index: usize,
field: &Arc<Field>,
) -> Result<SuperArray, MinarrowError>
pub fn split( self, index: usize, field: &Arc<Field>, ) -> Result<SuperArray, MinarrowError>
Splits the Array at the specified index, consuming self and returning a SuperArray with two FieldArray chunks.
Splits the underlying buffers (via vec .split_off()), allocating new storage for the second half.
More efficient than cloning the entire array but requires allocation.
Sourcepub fn to_apache_arrow(&self, name: &str) -> ArrayRef
pub fn to_apache_arrow(&self, name: &str) -> ArrayRef
Derive a Field from the array (via Field::from_array)
and call to_apache_arrow_with_field.
For Timestamp/Time/Duration/Interval, prefer passing
an explicit Field via to_apache_arrow_with_field.
Sourcepub fn to_apache_arrow_with_field(&self, field: &Field) -> ArrayRef
pub fn to_apache_arrow_with_field(&self, field: &Field) -> ArrayRef
Export this Minarrow array via Arrow C FFI using field as the
logical type; then import into arrow-rs as ArrayRef.
Use this when you need explicit temporal/interval semantics.
Sourcepub fn to_polars(&self, name: &str) -> Series
pub fn to_polars(&self, name: &str) -> Series
Build a Polars Series using a derived Field (dtype/nullability from the array).
If you need an explicit logical type, use to_polars_with_field.
For Timestamp/Time/Duration/Interval:
- prefer to_polars_with_field with an explicit Field::new.
- then, append theminarrow::ArrowType to the Field that matches the desired datetime type.
Sourcepub fn to_polars_with_field(&self, name: &str, field: &Field) -> Series
pub fn to_polars_with_field(&self, name: &str, field: &Field) -> Series
Export via Arrow C -> import into polars_arrow -> build Series.
Field supplies logical type; name is used for the Series.
For Timestamp/Time/Duration/Interval: append minarrow::ArrowType to the Field
that matches the desired datetime type.
Trait Implementations§
Source§impl Concatenate for Array
impl Concatenate for Array
Source§impl From<Arc<CategoricalArray<u16>>> for Array
Available on crate feature extended_categorical only.
impl From<Arc<CategoricalArray<u16>>> for Array
extended_categorical only.Source§impl From<Arc<CategoricalArray<u64>>> for Array
Available on crate feature extended_categorical only.
impl From<Arc<CategoricalArray<u64>>> for Array
extended_categorical only.Source§impl From<Arc<CategoricalArray<u8>>> for Array
Available on crate feature extended_categorical only.
impl From<Arc<CategoricalArray<u8>>> for Array
extended_categorical only.Source§impl From<Arc<IntegerArray<i16>>> for Array
Available on crate feature extended_numeric_types only.
impl From<Arc<IntegerArray<i16>>> for Array
extended_numeric_types only.Source§impl From<Arc<IntegerArray<i8>>> for Array
Available on crate feature extended_numeric_types only.
impl From<Arc<IntegerArray<i8>>> for Array
extended_numeric_types only.Source§impl From<Arc<IntegerArray<u16>>> for Array
Available on crate feature extended_numeric_types only.
impl From<Arc<IntegerArray<u16>>> for Array
extended_numeric_types only.Source§impl From<Arc<IntegerArray<u8>>> for Array
Available on crate feature extended_numeric_types only.
impl From<Arc<IntegerArray<u8>>> for Array
extended_numeric_types only.Source§impl From<Array> for BooleanArrayV
impl From<Array> for BooleanArrayV
Source§impl From<Array> for NumericArrayV
impl From<Array> for NumericArrayV
Source§impl From<Array> for SuperArray
impl From<Array> for SuperArray
Source§impl From<Array> for TemporalArrayV
impl From<Array> for TemporalArrayV
Source§impl From<Array> for TextArrayV
impl From<Array> for TextArrayV
Source§impl From<BooleanArray<()>> for Array
impl From<BooleanArray<()>> for Array
Source§fn from(a: BooleanArray<()>) -> Self
fn from(a: BooleanArray<()>) -> Self
Source§impl From<CategoricalArray<u16>> for Array
Available on crate feature extended_categorical only.
impl From<CategoricalArray<u16>> for Array
extended_categorical only.Source§fn from(a: CategoricalArray<u16>) -> Self
fn from(a: CategoricalArray<u16>) -> Self
Source§impl From<CategoricalArray<u32>> for Array
impl From<CategoricalArray<u32>> for Array
Source§fn from(a: CategoricalArray<u32>) -> Self
fn from(a: CategoricalArray<u32>) -> Self
Source§impl From<CategoricalArray<u64>> for Array
Available on crate feature extended_categorical only.
impl From<CategoricalArray<u64>> for Array
extended_categorical only.Source§fn from(a: CategoricalArray<u64>) -> Self
fn from(a: CategoricalArray<u64>) -> Self
Source§impl From<CategoricalArray<u8>> for Array
Available on crate feature extended_categorical only.
impl From<CategoricalArray<u8>> for Array
extended_categorical only.Source§fn from(a: CategoricalArray<u8>) -> Self
fn from(a: CategoricalArray<u8>) -> Self
Source§impl From<DatetimeArray<i32>> for Array
Available on crate feature datetime only.
impl From<DatetimeArray<i32>> for Array
datetime only.Source§fn from(a: DatetimeArray<i32>) -> Self
fn from(a: DatetimeArray<i32>) -> Self
Source§impl From<DatetimeArray<i64>> for Array
Available on crate feature datetime only.
impl From<DatetimeArray<i64>> for Array
datetime only.Source§fn from(a: DatetimeArray<i64>) -> Self
fn from(a: DatetimeArray<i64>) -> Self
Source§impl From<FloatArray<f32>> for Array
impl From<FloatArray<f32>> for Array
Source§fn from(a: FloatArray<f32>) -> Self
fn from(a: FloatArray<f32>) -> Self
Source§impl From<FloatArray<f64>> for Array
impl From<FloatArray<f64>> for Array
Source§fn from(a: FloatArray<f64>) -> Self
fn from(a: FloatArray<f64>) -> Self
Source§impl From<IntegerArray<i16>> for Array
Available on crate feature extended_numeric_types only.
impl From<IntegerArray<i16>> for Array
extended_numeric_types only.Source§fn from(a: IntegerArray<i16>) -> Self
fn from(a: IntegerArray<i16>) -> Self
Source§impl From<IntegerArray<i32>> for Array
impl From<IntegerArray<i32>> for Array
Source§fn from(a: IntegerArray<i32>) -> Self
fn from(a: IntegerArray<i32>) -> Self
Source§impl From<IntegerArray<i64>> for Array
impl From<IntegerArray<i64>> for Array
Source§fn from(a: IntegerArray<i64>) -> Self
fn from(a: IntegerArray<i64>) -> Self
Source§impl From<IntegerArray<i8>> for Array
Available on crate feature extended_numeric_types only.
impl From<IntegerArray<i8>> for Array
extended_numeric_types only.Source§fn from(a: IntegerArray<i8>) -> Self
fn from(a: IntegerArray<i8>) -> Self
Source§impl From<IntegerArray<u16>> for Array
Available on crate feature extended_numeric_types only.
impl From<IntegerArray<u16>> for Array
extended_numeric_types only.Source§fn from(a: IntegerArray<u16>) -> Self
fn from(a: IntegerArray<u16>) -> Self
Source§impl From<IntegerArray<u32>> for Array
impl From<IntegerArray<u32>> for Array
Source§fn from(a: IntegerArray<u32>) -> Self
fn from(a: IntegerArray<u32>) -> Self
Source§impl From<IntegerArray<u64>> for Array
impl From<IntegerArray<u64>> for Array
Source§fn from(a: IntegerArray<u64>) -> Self
fn from(a: IntegerArray<u64>) -> Self
Source§impl From<IntegerArray<u8>> for Array
Available on crate feature extended_numeric_types only.
impl From<IntegerArray<u8>> for Array
extended_numeric_types only.Source§fn from(a: IntegerArray<u8>) -> Self
fn from(a: IntegerArray<u8>) -> Self
Source§impl From<StringArray<u32>> for Array
impl From<StringArray<u32>> for Array
Source§fn from(a: StringArray<u32>) -> Self
fn from(a: StringArray<u32>) -> Self
Source§impl From<StringArray<u64>> for Array
Available on crate feature large_string only.
impl From<StringArray<u64>> for Array
large_string only.Source§fn from(a: StringArray<u64>) -> Self
fn from(a: StringArray<u64>) -> Self
Source§impl FromIterator<Array> for SuperArray
impl FromIterator<Array> for SuperArray
Source§impl RowSelection for Array
Available on crate features select and views only.
impl RowSelection for Array
select and views only.Source§fn r<S: DataSelector>(&self, selection: S) -> ArrayV
fn r<S: DataSelector>(&self, selection: S) -> ArrayV
Select rows by index or range, returning an ArrayV (view)
For contiguous selections (ranges), creates a zero-copy view. For non-contiguous selections (index arrays), gathers into a new array.
Source§fn get_row_count(&self) -> usize
fn get_row_count(&self) -> usize
Source§impl Shape for Array
impl Shape for Array
impl StructuralPartialEq for Array
Auto Trait Implementations§
impl Freeze for Array
impl RefUnwindSafe for Array
impl Send for Array
impl Sync for Array
impl Unpin for Array
impl UnsafeUnpin for Array
impl UnwindSafe for Array
Blanket Implementations§
Source§impl<T> BorrowMut<T> for Twhere
T: ?Sized,
impl<T> BorrowMut<T> for Twhere
T: ?Sized,
Source§fn borrow_mut(&mut self) -> &mut T
fn borrow_mut(&mut self) -> &mut T
Source§impl<T> CloneToUninit for Twhere
T: Clone,
impl<T> CloneToUninit for Twhere
T: Clone,
Source§impl<T> CustomValue for T
impl<T> CustomValue for T
Source§impl<T> Instrument for T
impl<T> Instrument for T
Source§fn instrument(self, span: Span) -> Instrumented<Self>
fn instrument(self, span: Span) -> Instrumented<Self>
Source§fn in_current_span(self) -> Instrumented<Self>
fn in_current_span(self) -> Instrumented<Self>
Source§impl<T> IntoEither for T
impl<T> IntoEither for T
Source§fn into_either(self, into_left: bool) -> Either<Self, Self> ⓘ
fn into_either(self, into_left: bool) -> Either<Self, Self> ⓘ
self into a Left variant of Either<Self, Self>
if into_left is true.
Converts self into a Right variant of Either<Self, Self>
otherwise. Read moreSource§fn into_either_with<F>(self, into_left: F) -> Either<Self, Self> ⓘ
fn into_either_with<F>(self, into_left: F) -> Either<Self, Self> ⓘ
self into a Left variant of Either<Self, Self>
if into_left(&self) returns true.
Converts self into a Right variant of Either<Self, Self>
otherwise. Read moreSource§impl<T> Key for Twhere
T: Clone,
impl<T> Key for Twhere
T: Clone,
Source§impl<T> Pointable for T
impl<T> Pointable for T
Source§impl<T> PolicyExt for Twhere
T: ?Sized,
impl<T> PolicyExt for Twhere
T: ?Sized,
Source§impl<T> ToCompactString for Twhere
T: Display,
impl<T> ToCompactString for Twhere
T: Display,
Source§fn try_to_compact_string(&self) -> Result<CompactString, ToCompactStringError>
fn try_to_compact_string(&self) -> Result<CompactString, ToCompactStringError>
ToCompactString::to_compact_string() Read moreSource§fn to_compact_string(&self) -> CompactString
fn to_compact_string(&self) -> CompactString
CompactString. Read moreSource§impl<T> ToStringFallible for Twhere
T: Display,
impl<T> ToStringFallible for Twhere
T: Display,
Source§fn try_to_string(&self) -> Result<String, TryReserveError>
fn try_to_string(&self) -> Result<String, TryReserveError>
ToString::to_string, but without panic on OOM.