use itertools::Itertools;
use std::cell::RefCell;
use std::fmt::Debug;
use petgraph::algo::toposort;
use petgraph::dot::Dot;
use petgraph::prelude::StableGraph;
use petgraph::{Directed, Outgoing};
use partiql_value::Value;
use crate::env::basic::MapBindings;
use crate::env::Bindings;
use petgraph::graph::NodeIndex;
use crate::error::{EvalErr, EvaluationError};
use petgraph::visit::EdgeRef;
use crate::eval::evaluable::{EvalType, Evaluable};
pub(crate) mod eval_expr_wrapper;
pub mod evaluable;
pub mod expr;
#[derive(Debug)]
pub struct EvalPlan(pub StableGraph<Box<dyn Evaluable>, u8, Directed>);
impl Default for EvalPlan {
fn default() -> Self {
Self::new()
}
}
#[inline]
fn err_illegal_state(msg: impl AsRef<str>) -> EvalErr {
EvalErr {
errors: vec![EvaluationError::IllegalState(msg.as_ref().to_string())],
}
}
impl EvalPlan {
fn new() -> Self {
EvalPlan(StableGraph::<Box<dyn Evaluable>, u8, Directed>::new())
}
#[inline]
fn plan_graph(&mut self) -> &mut StableGraph<Box<dyn Evaluable>, u8> {
&mut self.0
}
#[inline]
fn get_node(&mut self, idx: NodeIndex) -> Result<&mut Box<dyn Evaluable>, EvalErr> {
self.plan_graph()
.node_weight_mut(idx)
.ok_or_else(|| err_illegal_state("Error in retrieving node"))
}
pub fn execute_mut(&mut self, bindings: MapBindings<Value>) -> Result<Evaluated, EvalErr> {
let ctx: Box<dyn EvalContext> = Box::new(BasicContext::new(bindings));
let ops = toposort(&self.0, None).map_err(|e| EvalErr {
errors: vec![EvaluationError::InvalidEvaluationPlan(format!(
"Malformed evaluation plan detected: {e:?}"
))],
})?;
let mut result = None;
for idx in ops.into_iter() {
let destinations: Vec<(usize, (u8, NodeIndex))> = self
.plan_graph()
.edges_directed(idx, Outgoing)
.map(|e| (*e.weight(), e.target()))
.enumerate()
.collect_vec();
let graph_managed = destinations.is_empty()
|| destinations.iter().any(|(_, (_, dest_idx))| {
matches!(
self.get_node(*dest_idx).map(|d| d.eval_type()),
Ok(EvalType::GraphManaged)
)
});
if graph_managed {
let src = self.get_node(idx)?;
result = Some(src.evaluate(&*ctx));
if ctx.has_errors() {
return Err(EvalErr {
errors: ctx.errors(),
});
}
let num_destinations = destinations.len();
for (i, (branch_num, dst_id)) in destinations {
let res = if i == num_destinations - 1 {
result.take()
} else {
result.clone()
};
let res =
res.ok_or_else(|| err_illegal_state("Error in retrieving source value"))?;
self.get_node(dst_id)?.update_input(res, branch_num, &*ctx);
}
}
}
let result = result.ok_or_else(|| err_illegal_state("Error in retrieving eval output"))?;
Ok(Evaluated { result })
}
pub fn to_dot_graph(&self) -> String {
format!("{:?}", Dot::with_config(&self.0, &[]))
}
}
pub type EvalResult = Result<Evaluated, EvalErr>;
#[non_exhaustive]
#[derive(Debug)]
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
pub struct Evaluated {
pub result: Value,
}
pub trait EvalContext {
fn bindings(&self) -> &dyn Bindings<Value>;
fn add_error(&self, error: EvaluationError);
fn has_errors(&self) -> bool;
fn errors(&self) -> Vec<EvaluationError>;
}
#[derive(Default, Debug)]
pub struct BasicContext {
bindings: MapBindings<Value>,
errors: RefCell<Vec<EvaluationError>>,
}
impl BasicContext {
pub fn new(bindings: MapBindings<Value>) -> Self {
BasicContext {
bindings,
errors: RefCell::new(vec![]),
}
}
}
impl EvalContext for BasicContext {
fn bindings(&self) -> &dyn Bindings<Value> {
&self.bindings
}
fn add_error(&self, error: EvaluationError) {
self.errors.borrow_mut().push(error)
}
fn has_errors(&self) -> bool {
!self.errors.borrow().is_empty()
}
fn errors(&self) -> Vec<EvaluationError> {
self.errors.take()
}
}