mod operations;
mod validity;
use std::fmt::Display;
use std::fmt::Formatter;
use std::hash::Hash;
use std::hash::Hasher;
use std::marker::PhantomData;
use std::ops::Deref;
use itertools::Itertools;
use vortex_error::VortexResult;
use vortex_error::vortex_bail;
use vortex_error::vortex_ensure;
use vortex_error::vortex_panic;
use vortex_session::VortexSession;
use crate::ArrayEq;
use crate::ArrayHash;
use crate::ArrayRef;
use crate::IntoArray;
use crate::Precision;
use crate::array::Array;
use crate::array::ArrayId;
use crate::array::ArrayParts;
use crate::array::ArrayView;
use crate::array::VTable;
use crate::arrays::scalar_fn::array::ScalarFnArrayExt;
use crate::arrays::scalar_fn::array::ScalarFnData;
use crate::arrays::scalar_fn::rules::PARENT_RULES;
use crate::arrays::scalar_fn::rules::RULES;
use crate::buffer::BufferHandle;
use crate::dtype::DType;
use crate::executor::ExecutionCtx;
use crate::executor::ExecutionResult;
use crate::expr::Expression;
use crate::matcher::Matcher;
use crate::scalar_fn;
use crate::scalar_fn::Arity;
use crate::scalar_fn::ChildName;
use crate::scalar_fn::ExecutionArgs;
use crate::scalar_fn::ScalarFnId;
use crate::scalar_fn::ScalarFnRef;
use crate::scalar_fn::ScalarFnVTableExt;
use crate::scalar_fn::VecExecutionArgs;
use crate::serde::ArrayChildren;
pub type ScalarFnArray = Array<ScalarFnVTable>;
#[derive(Clone, Debug)]
pub struct ScalarFnVTable {
pub(super) scalar_fn: ScalarFnRef,
}
impl ArrayHash for ScalarFnData {
fn array_hash<H: Hasher>(&self, state: &mut H, _precision: Precision) {
self.scalar_fn().hash(state);
}
}
impl ArrayEq for ScalarFnData {
fn array_eq(&self, other: &Self, _precision: Precision) -> bool {
self.scalar_fn() == other.scalar_fn()
}
}
impl VTable for ScalarFnVTable {
type ArrayData = ScalarFnData;
type OperationsVTable = Self;
type ValidityVTable = Self;
fn id(&self) -> ArrayId {
self.scalar_fn.id()
}
fn validate(
&self,
data: &ScalarFnData,
dtype: &DType,
len: usize,
slots: &[Option<ArrayRef>],
) -> VortexResult<()> {
vortex_ensure!(
data.scalar_fn == self.scalar_fn,
"ScalarFnArray data scalar_fn does not match vtable"
);
vortex_ensure!(
slots.iter().flatten().all(|c| c.len() == len),
"All child arrays must have the same length as the scalar function array"
);
let child_dtypes = slots
.iter()
.flatten()
.map(|c| c.dtype().clone())
.collect_vec();
vortex_ensure!(
self.scalar_fn.return_dtype(&child_dtypes)? == *dtype,
"ScalarFnArray dtype does not match scalar function return dtype"
);
Ok(())
}
fn nbuffers(_array: ArrayView<'_, Self>) -> usize {
0
}
fn buffer(_array: ArrayView<'_, Self>, idx: usize) -> BufferHandle {
vortex_panic!("ScalarFnArray buffer index {idx} out of bounds")
}
fn buffer_name(_array: ArrayView<'_, Self>, _idx: usize) -> Option<String> {
None
}
fn serialize(
_array: ArrayView<'_, Self>,
_session: &VortexSession,
) -> VortexResult<Option<Vec<u8>>> {
Ok(None)
}
fn deserialize(
&self,
_dtype: &DType,
_len: usize,
_metadata: &[u8],
_buffers: &[BufferHandle],
_children: &dyn ArrayChildren,
_session: &VortexSession,
) -> VortexResult<ArrayParts<Self>> {
vortex_bail!("Deserialization of ScalarFnVTable metadata is not supported");
}
fn slot_name(array: ArrayView<'_, Self>, idx: usize) -> String {
array
.scalar_fn()
.signature()
.child_name(idx)
.as_ref()
.to_string()
}
fn execute(array: Array<Self>, ctx: &mut ExecutionCtx) -> VortexResult<ExecutionResult> {
ctx.log(format_args!("scalar_fn({}): executing", array.scalar_fn()));
let args = VecExecutionArgs::new(array.children(), array.len());
array
.scalar_fn()
.execute(&args, ctx)
.map(ExecutionResult::done)
}
fn reduce(array: ArrayView<'_, Self>) -> VortexResult<Option<ArrayRef>> {
RULES.evaluate(array)
}
fn reduce_parent(
array: ArrayView<'_, Self>,
parent: &ArrayRef,
child_idx: usize,
) -> VortexResult<Option<ArrayRef>> {
PARENT_RULES.evaluate(array, parent, child_idx)
}
}
pub trait ScalarFnFactoryExt: scalar_fn::ScalarFnVTable {
fn try_new_array(
&self,
len: usize,
options: Self::Options,
children: impl Into<Vec<ArrayRef>>,
) -> VortexResult<ArrayRef> {
let scalar_fn = scalar_fn::ScalarFn::new(self.clone(), options).erased();
let children = children.into();
vortex_ensure!(
children.iter().all(|c| c.len() == len),
"All child arrays must have the same length as the scalar function array"
);
let child_dtypes = children.iter().map(|c| c.dtype().clone()).collect_vec();
let dtype = scalar_fn.return_dtype(&child_dtypes)?;
let data = ScalarFnData {
scalar_fn: scalar_fn.clone(),
};
let vtable = ScalarFnVTable { scalar_fn };
Ok(unsafe {
Array::from_parts_unchecked(
ArrayParts::new(vtable, dtype, len, data)
.with_slots(children.into_iter().map(Some).collect()),
)
}
.into_array())
}
}
impl<V: scalar_fn::ScalarFnVTable> ScalarFnFactoryExt for V {}
#[derive(Debug)]
pub struct AnyScalarFn;
impl Matcher for AnyScalarFn {
type Match<'a> = ArrayView<'a, ScalarFnVTable>;
fn matches(array: &ArrayRef) -> bool {
array.is::<ScalarFnVTable>()
}
fn try_match(array: &ArrayRef) -> Option<Self::Match<'_>> {
array.as_opt::<ScalarFnVTable>()
}
}
#[derive(Debug, Default)]
pub struct ExactScalarFn<F: scalar_fn::ScalarFnVTable>(PhantomData<F>);
impl<F: scalar_fn::ScalarFnVTable> Matcher for ExactScalarFn<F> {
type Match<'a> = ScalarFnArrayView<'a, F>;
fn matches(array: &ArrayRef) -> bool {
if let Some(scalar_fn_array) = array.as_opt::<ScalarFnVTable>() {
scalar_fn_array.data().scalar_fn().is::<F>()
} else {
false
}
}
fn try_match(array: &ArrayRef) -> Option<Self::Match<'_>> {
let scalar_fn_array = array.as_opt::<ScalarFnVTable>()?;
let scalar_fn_data = scalar_fn_array.data();
let scalar_fn = scalar_fn_data.scalar_fn().downcast_ref::<F>()?;
Some(ScalarFnArrayView {
array,
vtable: scalar_fn.vtable(),
options: scalar_fn.options(),
})
}
}
pub struct ScalarFnArrayView<'a, F: scalar_fn::ScalarFnVTable> {
array: &'a ArrayRef,
pub vtable: &'a F,
pub options: &'a F::Options,
}
impl<F: scalar_fn::ScalarFnVTable> Deref for ScalarFnArrayView<'_, F> {
type Target = ArrayRef;
fn deref(&self) -> &Self::Target {
self.array
}
}
#[derive(Clone)]
struct ArrayExpr;
#[derive(Clone, Debug)]
struct FakeEq<T>(T);
impl<T> PartialEq<Self> for FakeEq<T> {
fn eq(&self, _other: &Self) -> bool {
false
}
}
impl<T> Eq for FakeEq<T> {}
impl<T> Hash for FakeEq<T> {
fn hash<H: Hasher>(&self, _state: &mut H) {}
}
impl Display for FakeEq<ArrayRef> {
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
write!(f, "{}", self.0.encoding_id())
}
}
impl scalar_fn::ScalarFnVTable for ArrayExpr {
type Options = FakeEq<ArrayRef>;
fn id(&self) -> ScalarFnId {
ScalarFnId::from("vortex.array")
}
fn arity(&self, _options: &Self::Options) -> Arity {
Arity::Exact(0)
}
fn child_name(&self, _options: &Self::Options, _child_idx: usize) -> ChildName {
todo!()
}
fn fmt_sql(
&self,
options: &Self::Options,
_expr: &Expression,
f: &mut Formatter<'_>,
) -> std::fmt::Result {
write!(f, "{}", options.0.encoding_id())
}
fn return_dtype(&self, options: &Self::Options, _arg_dtypes: &[DType]) -> VortexResult<DType> {
Ok(options.0.dtype().clone())
}
fn execute(
&self,
options: &Self::Options,
_args: &dyn ExecutionArgs,
ctx: &mut ExecutionCtx,
) -> VortexResult<ArrayRef> {
crate::Executable::execute(options.0.clone(), ctx)
}
fn validity(
&self,
options: &Self::Options,
_expression: &Expression,
) -> VortexResult<Option<Expression>> {
let validity_array = options.0.validity()?.to_array(options.0.len());
Ok(Some(ArrayExpr.new_expr(FakeEq(validity_array), [])))
}
}