Skip to main content

Array

Enum Array 

Source
#[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 via arr.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

Source

pub fn from_int8(arr: IntegerArray<i8>) -> Self

Creates an Array enum with an Int8 array.

Source

pub fn from_uint8(arr: IntegerArray<u8>) -> Self

Creates an Array enum with an UInt8 array.

Source

pub fn from_int16(arr: IntegerArray<i16>) -> Self

Creates an Array enum with an Int16 array.

Source

pub fn from_uint16(arr: IntegerArray<u16>) -> Self

Creates an Array enum with an UInt16 array.

Source

pub fn from_int32(arr: IntegerArray<i32>) -> Self

Creates an Array enum with an Int32 array.

Source

pub fn from_int64(arr: IntegerArray<i64>) -> Self

Creates an Array enum with an Int64 array.

Source

pub fn from_uint32(arr: IntegerArray<u32>) -> Self

Creates an Array enum with a UInt32 array.

Source

pub fn from_uint64(arr: IntegerArray<u64>) -> Self

Creates an Array enum with an UInt64 array.

Source

pub fn from_float32(arr: FloatArray<f32>) -> Self

Creates an Array enum with a Float32 array.

Source

pub fn from_float64(arr: FloatArray<f64>) -> Self

Creates an Array enum with a Float64 array.

Source

pub fn from_string32(arr: StringArray<u32>) -> Self

Creates an Array enum with a String32 array.

Source

pub fn from_string64(arr: StringArray<u64>) -> Self

Creates an Array enum with a String64 array.

Source

pub fn from_categorical32(arr: CategoricalArray<u32>) -> Self

Creates an Array enum with a Categorical32 array.

Source

pub fn from_categorical8(arr: CategoricalArray<u8>) -> Self

Creates an Array enum with a Categorical8 array.

Source

pub fn from_categorical16(arr: CategoricalArray<u16>) -> Self

Creates an Array enum with a Categorical16 array.

Source

pub fn from_categorical64(arr: CategoricalArray<u64>) -> Self

Creates an Array enum with a Categorical64 array.

Source

pub fn from_datetime_i32(arr: DatetimeArray<i32>) -> Self

Creates an Array enum with a DatetimeI32 array.

Source

pub fn from_datetime_i64(arr: DatetimeArray<i64>) -> Self

Creates an Array enum with a DatetimeI64 array.

Source

pub fn from_bool(arr: BooleanArray<()>) -> Self

Creates an Array enum with a Boolean array.

Source

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");
Source

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.

Source

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.

Source

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.

Source

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.

Source

pub fn try_i32_ref(&self) -> Result<&IntegerArray<i32>, MinarrowError>

Returns a reference to the inner IntegerArray<i32>.

Source

pub fn try_i64_ref(&self) -> Result<&IntegerArray<i64>, MinarrowError>

Returns a reference to the inner IntegerArray<i64>.

Source

pub fn try_u32_ref(&self) -> Result<&IntegerArray<u32>, MinarrowError>

Returns a reference to the inner IntegerArray<u32>.

Source

pub fn try_u64_ref(&self) -> Result<&IntegerArray<u64>, MinarrowError>

Returns a reference to the inner IntegerArray<u64>.

Source

pub fn try_f32_ref(&self) -> Result<&FloatArray<f32>, MinarrowError>

Returns a reference to the inner FloatArray<f32>.

Source

pub fn try_f64_ref(&self) -> Result<&FloatArray<f64>, MinarrowError>

Returns a reference to the inner FloatArray<f64>.

Source

pub fn try_i8_ref(&self) -> Result<&IntegerArray<i8>, MinarrowError>

Returns a reference to the inner IntegerArray<i8>.

Source

pub fn try_i16_ref(&self) -> Result<&IntegerArray<i16>, MinarrowError>

Returns a reference to the inner IntegerArray<i16>.

Source

pub fn try_u8_ref(&self) -> Result<&IntegerArray<u8>, MinarrowError>

Returns a reference to the inner IntegerArray<u8>.

Source

pub fn try_u16_ref(&self) -> Result<&IntegerArray<u16>, MinarrowError>

Returns a reference to the inner IntegerArray<u16>.

Source

pub fn try_str32_ref(&self) -> Result<&StringArray<u32>, MinarrowError>

Returns a reference to the inner StringArray<u32>.

Source

pub fn try_str64_ref(&self) -> Result<&StringArray<u64>, MinarrowError>

Returns a reference to the inner StringArray<u64>.

Source

pub fn try_cat32_ref(&self) -> Result<&CategoricalArray<u32>, MinarrowError>

Returns a reference to the inner CategoricalArray<u32>.

Source

pub fn try_cat8_ref(&self) -> Result<&CategoricalArray<u8>, MinarrowError>

Returns a reference to the inner CategoricalArray<u8>.

Source

pub fn try_cat16_ref(&self) -> Result<&CategoricalArray<u16>, MinarrowError>

Returns a reference to the inner CategoricalArray<u16>.

Source

pub fn try_cat64_ref(&self) -> Result<&CategoricalArray<u64>, MinarrowError>

Returns a reference to the inner CategoricalArray<u64>.

Source

pub fn try_dt32_ref(&self) -> Result<&DatetimeArray<i32>, MinarrowError>

Returns a reference to the inner DatetimeArray<i32>.

Source

pub fn try_dt64_ref(&self) -> Result<&DatetimeArray<i64>, MinarrowError>

Returns a reference to the inner DatetimeArray<i64>.

Source

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.
Source

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.
Source

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.
Source

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_ops feature is on, it also attempts common ISO8601/RFC3339 and %Y-%m-%d formats. Keep this in mind, because your API will break if you toggle the datetime_ops feature on/off but keep the previous code.
  • Integer becomes milliseconds since epoch.
  • Floats round as integers to milliseconds since epoch.
  • Boolean returns TemporalArray::Null.
Source

pub fn len(&self) -> usize

Returns the length of the array.

Source

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.

Source

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.

Source

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.

Source

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.

Source

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.

Source

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.

Source

pub fn as_slice<T>(&self, offset: usize, len: usize) -> &[T]

Source

pub fn slice_raw<T: 'static>(&self, offset: usize, len: usize) -> Option<&[T]>

Source

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.

Source

pub fn arrow_type(&self) -> ArrowType

Arrow physical type for this array.

Source

pub fn is_nullable(&self) -> bool

Column nullability

Source

pub fn is_categorical_array(&self) -> bool

Returns true if this is a categorical array.

Source

pub fn is_string_array(&self) -> bool

Returns true if this is a string array i.e. non-categorical text.

Source

pub fn is_text_array(&self) -> bool

Returns true if this is any text array, string or categorical.

Source

pub fn is_boolean_array(&self) -> bool

Returns true if this is a boolean array.

Source

pub fn is_integer_array(&self) -> bool

Returns true if this is an integer array.

Source

pub fn is_float_array(&self) -> bool

Returns true if this is a floating-point array.

Source

pub fn is_numerical_array(&self) -> bool

Returns true if this is any numeric array, integer or float.

Source

pub fn is_datetime_array(&self) -> bool

Returns true if this is a datetime/temporal array.

Source

pub fn null_mask(&self) -> Option<&Bitmask>

Returns the underlying null mask of the array

Source

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.

Source

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.

Source

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.

Source

pub fn set_null_mask(&mut self, mask: Bitmask)

Set null mask on Array by matching on variants

Source

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.

Source

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.

Source

pub fn offsets_ptr_and_len(&self) -> Option<(*const u8, usize)>

Offsets pointer/len for variable-length types

Source

pub fn null_count(&self) -> usize

Returns the null count of the array

Source

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.

Source

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.

Source

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.

Source

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.

Source

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.

Source

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.

Source

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 Add for Array

Source§

type Output = Result<Array, MinarrowError>

The resulting type after applying the + operator.
Source§

fn add(self, rhs: Self) -> Self::Output

Performs the + operation. Read more
Source§

impl ByteSize for Array

ByteSize for Array enum

Source§

fn est_bytes(&self) -> usize

Returns the estimated byte size of this object in memory. Read more
Source§

impl Clone for Array

Source§

fn clone(&self) -> Array

Returns a duplicate of the value. Read more
1.0.0 · Source§

fn clone_from(&mut self, source: &Self)

Performs copy-assignment from source. Read more
Source§

impl Concatenate for Array

Source§

fn concat(self, other: Self) -> Result<Self, MinarrowError>

Concatenates self with other, consuming both and returning a new instance. Read more
Source§

impl Debug for Array

Source§

fn fmt(&self, f: &mut Formatter<'_>) -> Result

Formats the value using the given formatter. Read more
Source§

impl Default for Array

Source§

fn default() -> Array

Returns the “default value” for a type. Read more
Source§

impl Display for Array

Source§

fn fmt(&self, f: &mut Formatter<'_>) -> Result

Formats the value using the given formatter. Read more
Source§

impl Div for Array

Source§

type Output = Result<Array, MinarrowError>

The resulting type after applying the / operator.
Source§

fn div(self, rhs: Self) -> Self::Output

Performs the / operation. Read more
Source§

impl From<Arc<BooleanArray<()>>> for Array

Source§

fn from(a: Arc<BooleanArray<()>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<CategoricalArray<u16>>> for Array

Available on crate feature extended_categorical only.
Source§

fn from(a: Arc<CategoricalArray<u16>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<CategoricalArray<u32>>> for Array

Source§

fn from(a: Arc<CategoricalArray<u32>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<CategoricalArray<u64>>> for Array

Available on crate feature extended_categorical only.
Source§

fn from(a: Arc<CategoricalArray<u64>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<CategoricalArray<u8>>> for Array

Available on crate feature extended_categorical only.
Source§

fn from(a: Arc<CategoricalArray<u8>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<DatetimeArray<i32>>> for Array

Available on crate feature datetime only.
Source§

fn from(a: Arc<DatetimeArray<i32>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<DatetimeArray<i64>>> for Array

Available on crate feature datetime only.
Source§

fn from(a: Arc<DatetimeArray<i64>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<FloatArray<f32>>> for Array

Source§

fn from(a: Arc<FloatArray<f32>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<FloatArray<f64>>> for Array

Source§

fn from(a: Arc<FloatArray<f64>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<IntegerArray<i16>>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(a: Arc<IntegerArray<i16>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<IntegerArray<i32>>> for Array

Source§

fn from(a: Arc<IntegerArray<i32>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<IntegerArray<i64>>> for Array

Source§

fn from(a: Arc<IntegerArray<i64>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<IntegerArray<i8>>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(a: Arc<IntegerArray<i8>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<IntegerArray<u16>>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(a: Arc<IntegerArray<u16>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<IntegerArray<u32>>> for Array

Source§

fn from(a: Arc<IntegerArray<u32>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<IntegerArray<u64>>> for Array

Source§

fn from(a: Arc<IntegerArray<u64>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<IntegerArray<u8>>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(a: Arc<IntegerArray<u8>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<StringArray<u32>>> for Array

Source§

fn from(a: Arc<StringArray<u32>>) -> Self

Converts to this type from the input type.
Source§

impl From<Arc<StringArray<u64>>> for Array

Available on crate feature large_string only.
Source§

fn from(a: Arc<StringArray<u64>>) -> Self

Converts to this type from the input type.
Source§

impl From<Array> for ArrayV

Array -> ArrayView

Uses Offset 0 and length self.len()

Source§

fn from(array: Array) -> Self

Converts to this type from the input type.
Source§

impl From<Array> for BooleanArrayV

Source§

fn from(array: Array) -> Self

Converts to this type from the input type.
Source§

impl From<Array> for NumericArrayV

Source§

fn from(array: Array) -> Self

Converts to this type from the input type.
Source§

impl From<Array> for SuperArray

Source§

fn from(array: Array) -> Self

Converts to this type from the input type.
Source§

impl From<Array> for TemporalArrayV

Source§

fn from(array: Array) -> Self

Converts to this type from the input type.
Source§

impl From<Array> for TextArrayV

Source§

fn from(array: Array) -> Self

Converts to this type from the input type.
Source§

impl From<Array> for Value

Source§

fn from(v: Array) -> Self

Converts to this type from the input type.
Source§

impl From<BooleanArray<()>> for Array

Source§

fn from(a: BooleanArray<()>) -> Self

Converts to this type from the input type.
Source§

impl From<CategoricalArray<u16>> for Array

Available on crate feature extended_categorical only.
Source§

fn from(a: CategoricalArray<u16>) -> Self

Converts to this type from the input type.
Source§

impl From<CategoricalArray<u32>> for Array

Source§

fn from(a: CategoricalArray<u32>) -> Self

Converts to this type from the input type.
Source§

impl From<CategoricalArray<u64>> for Array

Available on crate feature extended_categorical only.
Source§

fn from(a: CategoricalArray<u64>) -> Self

Converts to this type from the input type.
Source§

impl From<CategoricalArray<u8>> for Array

Available on crate feature extended_categorical only.
Source§

fn from(a: CategoricalArray<u8>) -> Self

Converts to this type from the input type.
Source§

impl From<DatetimeArray<i32>> for Array

Available on crate feature datetime only.
Source§

fn from(a: DatetimeArray<i32>) -> Self

Converts to this type from the input type.
Source§

impl From<DatetimeArray<i64>> for Array

Available on crate feature datetime only.
Source§

fn from(a: DatetimeArray<i64>) -> Self

Converts to this type from the input type.
Source§

impl From<FloatArray<f32>> for Array

Source§

fn from(a: FloatArray<f32>) -> Self

Converts to this type from the input type.
Source§

impl From<FloatArray<f64>> for Array

Source§

fn from(a: FloatArray<f64>) -> Self

Converts to this type from the input type.
Source§

impl From<IntegerArray<i16>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(a: IntegerArray<i16>) -> Self

Converts to this type from the input type.
Source§

impl From<IntegerArray<i32>> for Array

Source§

fn from(a: IntegerArray<i32>) -> Self

Converts to this type from the input type.
Source§

impl From<IntegerArray<i64>> for Array

Source§

fn from(a: IntegerArray<i64>) -> Self

Converts to this type from the input type.
Source§

impl From<IntegerArray<i8>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(a: IntegerArray<i8>) -> Self

Converts to this type from the input type.
Source§

impl From<IntegerArray<u16>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(a: IntegerArray<u16>) -> Self

Converts to this type from the input type.
Source§

impl From<IntegerArray<u32>> for Array

Source§

fn from(a: IntegerArray<u32>) -> Self

Converts to this type from the input type.
Source§

impl From<IntegerArray<u64>> for Array

Source§

fn from(a: IntegerArray<u64>) -> Self

Converts to this type from the input type.
Source§

impl From<IntegerArray<u8>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(a: IntegerArray<u8>) -> Self

Converts to this type from the input type.
Source§

impl From<Scalar> for Array

Available on crate feature scalar_type only.
Source§

fn from(scalar: Scalar) -> Self

Converts to this type from the input type.
Source§

impl From<StringArray<u32>> for Array

Source§

fn from(a: StringArray<u32>) -> Self

Converts to this type from the input type.
Source§

impl From<StringArray<u64>> for Array

Available on crate feature large_string only.
Source§

fn from(a: StringArray<u64>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<f32>> for Array

Source§

fn from(vec: Vec64<f32>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<f64>> for Array

Source§

fn from(vec: Vec64<f64>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<i16>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(vec: Vec64<i16>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<i32>> for Array

Source§

fn from(vec: Vec64<i32>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<i64>> for Array

Source§

fn from(vec: Vec64<i64>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<i8>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(vec: Vec64<i8>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<u16>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(vec: Vec64<u16>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<u32>> for Array

Source§

fn from(vec: Vec64<u32>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<u64>> for Array

Source§

fn from(vec: Vec64<u64>) -> Self

Converts to this type from the input type.
Source§

impl From<Vec64<u8>> for Array

Available on crate feature extended_numeric_types only.
Source§

fn from(vec: Vec64<u8>) -> Self

Converts to this type from the input type.
Source§

impl FromIterator<Array> for SuperArray

Source§

fn from_iter<T: IntoIterator<Item = Array>>(iter: T) -> Self

Creates a value from an iterator. Read more
Source§

impl Mul for Array

Source§

type Output = Result<Array, MinarrowError>

The resulting type after applying the * operator.
Source§

fn mul(self, rhs: Self) -> Self::Output

Performs the * operation. Read more
Source§

impl PartialEq for Array

Source§

fn eq(&self, other: &Array) -> bool

Tests for self and other values to be equal, and is used by ==.
1.0.0 · Source§

fn ne(&self, other: &Rhs) -> bool

Tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
Source§

impl Rem for Array

Source§

type Output = Result<Array, MinarrowError>

The resulting type after applying the % operator.
Source§

fn rem(self, rhs: Self) -> Self::Output

Performs the % operation. Read more
Source§

impl RowSelection for Array

Available on crate features select and views only.
Source§

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§

type View = ArrayV

The view type returned by selection operations
Source§

fn get_row_count(&self) -> usize

Get the count for data resolution
Source§

impl Shape for Array

Source§

fn shape(&self) -> ShapeDim

Returns arbitrary Shape dimension for any data shape
Source§

fn shape_1d(&self) -> usize

Returns the first dimension shape Read more
Source§

fn shape_2d(&self) -> (usize, usize)

Returns the first and second dimension shapes Read more
Source§

fn shape_3d(&self) -> (usize, usize, usize)

Returns the first, second and third dimension shapes Read more
Source§

fn shape_4d(&self) -> (usize, usize, usize, usize)

Returns the first, second, third and fourth dimension shapes Read more
Source§

impl Sub for Array

Source§

type Output = Result<Array, MinarrowError>

The resulting type after applying the - operator.
Source§

fn sub(self, rhs: Self) -> Self::Output

Performs the - operation. Read more
Source§

impl TryFrom<Value> for Array

Source§

type Error = MinarrowError

The type returned in the event of a conversion error.
Source§

fn try_from(v: Value) -> Result<Self, Self::Error>

Performs the conversion.
Source§

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> Any for T
where T: 'static + ?Sized,

Source§

fn type_id(&self) -> TypeId

Gets the TypeId of self. Read more
Source§

impl<T> Borrow<T> for T
where T: ?Sized,

Source§

fn borrow(&self) -> &T

Immutably borrows from an owned value. Read more
Source§

impl<T> BorrowMut<T> for T
where T: ?Sized,

Source§

fn borrow_mut(&mut self) -> &mut T

Mutably borrows from an owned value. Read more
Source§

impl<T> CloneToUninit for T
where T: Clone,

Source§

unsafe fn clone_to_uninit(&self, dest: *mut u8)

🔬This is a nightly-only experimental API. (clone_to_uninit)
Performs copy-assignment from self to dest. Read more
Source§

impl<T> CustomValue for T
where T: Any + Send + Sync + Clone + PartialEq + Debug,

Source§

fn as_any(&self) -> &(dyn Any + 'static)

Downcasts the type as Any
Source§

fn deep_clone(&self) -> Arc<dyn CustomValue>

Returns a deep clone of the object. Read more
Source§

fn eq_box(&self, other: &(dyn CustomValue + 'static)) -> bool

Performs semantic equality on the boxed object. Read more
Source§

impl<T> DynClone for T
where T: Clone,

Source§

fn __clone_box(&self, _: Private) -> *mut ()

Source§

impl<T> From<T> for T

Source§

fn from(t: T) -> T

Returns the argument unchanged.

Source§

impl<T> Instrument for T

Source§

fn instrument(self, span: Span) -> Instrumented<Self>

Instruments this type with the provided Span, returning an Instrumented wrapper. Read more
Source§

fn in_current_span(self) -> Instrumented<Self>

Instruments this type with the current Span, returning an Instrumented wrapper. Read more
Source§

impl<T, U> Into<U> for T
where U: From<T>,

Source§

fn into(self) -> U

Calls U::from(self).

That is, this conversion is whatever the implementation of From<T> for U chooses to do.

Source§

impl<T> IntoEither for T

Source§

fn into_either(self, into_left: bool) -> Either<Self, Self>

Converts 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 more
Source§

fn into_either_with<F>(self, into_left: F) -> Either<Self, Self>
where F: FnOnce(&Self) -> bool,

Converts 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 more
Source§

impl<T> Key for T
where T: Clone,

Source§

fn align() -> usize

The alignment necessary for the key. Must return a power of two.
Source§

fn size(&self) -> usize

The size of the key in bytes.
Source§

unsafe fn init(&self, ptr: *mut u8)

Initialize the key in the given memory location. Read more
Source§

unsafe fn get<'a>(ptr: *const u8) -> &'a T

Get a reference to the key from the given memory location. Read more
Source§

unsafe fn drop_in_place(ptr: *mut u8)

Drop the key in place. Read more
Source§

impl<T> Pointable for T

Source§

const ALIGN: usize

The alignment of pointer.
Source§

type Init = T

The type for initializers.
Source§

unsafe fn init(init: <T as Pointable>::Init) -> usize

Initializes a with the given initializer. Read more
Source§

unsafe fn deref<'a>(ptr: usize) -> &'a T

Dereferences the given pointer. Read more
Source§

unsafe fn deref_mut<'a>(ptr: usize) -> &'a mut T

Mutably dereferences the given pointer. Read more
Source§

unsafe fn drop(ptr: usize)

Drops the object pointed to by the given pointer. Read more
Source§

impl<T> PolicyExt for T
where T: ?Sized,

Source§

fn and<P, B, E>(self, other: P) -> And<T, P>
where T: Policy<B, E>, P: Policy<B, E>,

Create a new Policy that returns Action::Follow only if self and other return Action::Follow. Read more
Source§

fn or<P, B, E>(self, other: P) -> Or<T, P>
where T: Policy<B, E>, P: Policy<B, E>,

Create a new Policy that returns Action::Follow if either self or other returns Action::Follow. Read more
Source§

impl<T> Print for T
where T: Display,

Source§

fn print(&self)
where Self: Display,

Source§

impl<T> ToCompactString for T
where T: Display,

Source§

impl<T> ToOwned for T
where T: Clone,

Source§

type Owned = T

The resulting type after obtaining ownership.
Source§

fn to_owned(&self) -> T

Creates owned data from borrowed data, usually by cloning. Read more
Source§

fn clone_into(&self, target: &mut T)

Uses borrowed data to replace owned data, usually by cloning. Read more
Source§

impl<T> ToString for T
where T: Display + ?Sized,

Source§

fn to_string(&self) -> String

Converts the given value to a String. Read more
Source§

impl<T> ToStringFallible for T
where T: Display,

Source§

fn try_to_string(&self) -> Result<String, TryReserveError>

ToString::to_string, but without panic on OOM.

Source§

impl<T, U> TryFrom<U> for T
where U: Into<T>,

Source§

type Error = Infallible

The type returned in the event of a conversion error.
Source§

fn try_from(value: U) -> Result<T, <T as TryFrom<U>>::Error>

Performs the conversion.
Source§

impl<T, U> TryInto<U> for T
where U: TryFrom<T>,

Source§

type Error = <U as TryFrom<T>>::Error

The type returned in the event of a conversion error.
Source§

fn try_into(self) -> Result<U, <U as TryFrom<T>>::Error>

Performs the conversion.
Source§

impl<V, T> VZip<V> for T
where V: MultiLane<T>,

Source§

fn vzip(self) -> V

Source§

impl<T> WithSubscriber for T

Source§

fn with_subscriber<S>(self, subscriber: S) -> WithDispatch<Self>
where S: Into<Dispatch>,

Attaches the provided Subscriber to this type, returning a WithDispatch wrapper. Read more
Source§

fn with_current_subscriber(self) -> WithDispatch<Self>

Attaches the current default Subscriber to this type, returning a WithDispatch wrapper. Read more
Source§

impl<T> Allocation for T
where T: RefUnwindSafe + Send + Sync,

Source§

impl<T, Rhs, Output> NumOps<Rhs, Output> for T
where T: Sub<Rhs, Output = Output> + Mul<Rhs, Output = Output> + Div<Rhs, Output = Output> + Add<Rhs, Output = Output> + Rem<Rhs, Output = Output>,

Source§

impl<T> PlanCallbackArgs for T

Source§

impl<T> PlanCallbackOut for T